From 35edfb0e569def7587e6c42ac0c9bcd0487d0a67 Mon Sep 17 00:00:00 2001
From: Jean-Louis Leysens <jloleysens@gmail.com>
Date: Mon, 27 Jan 2020 13:35:40 +0100
Subject: [PATCH 01/36] [Watcher] More robust handling of license at setup
 (#55831)

* Only register watcher app if we have received an indication of license first
Enable app to react to license updates from backend

* Return setup to a synchronous function.

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../helpers/app_context.mock.tsx              |   6 +-
 .../watcher/public/application/app.tsx        |  12 +-
 x-pack/plugins/watcher/public/plugin.ts       | 124 ++++++++++--------
 3 files changed, 79 insertions(+), 63 deletions(-)

diff --git a/x-pack/plugins/watcher/__jest__/client_integration/helpers/app_context.mock.tsx b/x-pack/plugins/watcher/__jest__/client_integration/helpers/app_context.mock.tsx
index 3d8ae2894b320..f0a2816dd57b1 100644
--- a/x-pack/plugins/watcher/__jest__/client_integration/helpers/app_context.mock.tsx
+++ b/x-pack/plugins/watcher/__jest__/client_integration/helpers/app_context.mock.tsx
@@ -5,6 +5,7 @@
  */
 
 import React from 'react';
+import { of } from 'rxjs';
 import { ComponentType } from 'enzyme';
 import {
   chromeServiceMock,
@@ -15,6 +16,7 @@ import {
 } from '../../../../../../src/core/public/mocks';
 // eslint-disable-next-line @kbn/eslint/no-restricted-paths
 import { AppContextProvider } from '../../../public/application/app_context';
+import { LicenseStatus } from '../../../common/types/license_status';
 
 class MockTimeBuckets {
   setBounds(_domain: any) {
@@ -27,9 +29,7 @@ class MockTimeBuckets {
   }
 }
 export const mockContextValue = {
-  getLicenseStatus: () => ({
-    valid: true,
-  }),
+  licenseStatus$: of<LicenseStatus>({ valid: true }),
   docLinks: docLinksServiceMock.createStartContract(),
   chrome: chromeServiceMock.createStartContract(),
   MANAGEMENT_BREADCRUMB: { text: 'test' },
diff --git a/x-pack/plugins/watcher/public/application/app.tsx b/x-pack/plugins/watcher/public/application/app.tsx
index 83501eca1429b..1f418e4475ed0 100644
--- a/x-pack/plugins/watcher/public/application/app.tsx
+++ b/x-pack/plugins/watcher/public/application/app.tsx
@@ -4,7 +4,8 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import React from 'react';
+import React, { useEffect, useState } from 'react';
+import { Observable } from 'rxjs';
 import {
   ChromeStart,
   DocLinksStart,
@@ -47,12 +48,17 @@ export interface AppDeps {
   uiSettings: IUiSettingsClient;
   euiUtils: any;
   createTimeBuckets: () => any;
-  getLicenseStatus: () => LicenseStatus;
+  licenseStatus$: Observable<LicenseStatus>;
   MANAGEMENT_BREADCRUMB: any;
 }
 
 export const App = (deps: AppDeps) => {
-  const { valid, message } = deps.getLicenseStatus();
+  const [{ valid, message }, setLicenseStatus] = useState<LicenseStatus>({ valid: true });
+
+  useEffect(() => {
+    const s = deps.licenseStatus$.subscribe(setLicenseStatus);
+    return () => s.unsubscribe();
+  }, [deps.licenseStatus$]);
 
   if (!valid) {
     return (
diff --git a/x-pack/plugins/watcher/public/plugin.ts b/x-pack/plugins/watcher/public/plugin.ts
index d59041b41253d..7bb422f9a6eb1 100644
--- a/x-pack/plugins/watcher/public/plugin.ts
+++ b/x-pack/plugins/watcher/public/plugin.ts
@@ -5,80 +5,90 @@
  */
 import { i18n } from '@kbn/i18n';
 import { CoreSetup, Plugin, CoreStart } from 'kibana/public';
+import { first, map, skip } from 'rxjs/operators';
 
 import { FeatureCatalogueCategory } from '../../../../src/plugins/home/public';
 
 import { LicenseStatus } from '../common/types/license_status';
 
-import { LICENSE_CHECK_STATE } from '../../licensing/public';
+import { ILicense, LICENSE_CHECK_STATE } from '../../licensing/public';
 import { TimeBuckets, MANAGEMENT_BREADCRUMB } from './legacy';
 import { PLUGIN } from '../common/constants';
 import { Dependencies } from './types';
 
-export class WatcherUIPlugin implements Plugin<void, void, Dependencies, any> {
-  // Reference for when `mount` gets called, we don't want to render if
-  // we don't have a valid license. Under certain conditions the Watcher app link
-  // may still be present so this is a final guard.
-  private licenseStatus: LicenseStatus = { valid: false };
-  private hasRegisteredESManagementSection = false;
+const licenseToLicenseStatus = (license: ILicense): LicenseStatus => {
+  const { state, message } = license.check(PLUGIN.ID, PLUGIN.MINIMUM_LICENSE_REQUIRED);
+  return {
+    valid: state === LICENSE_CHECK_STATE.Valid && license.getFeature(PLUGIN.ID).isAvailable,
+    message,
+  };
+};
 
+export class WatcherUIPlugin implements Plugin<void, void, Dependencies, any> {
   setup(
     { application, notifications, http, uiSettings, getStartServices }: CoreSetup,
     { licensing, management, data, home }: Dependencies
   ) {
-    licensing.license$.subscribe(license => {
-      const { state, message } = license.check(PLUGIN.ID, PLUGIN.MINIMUM_LICENSE_REQUIRED);
-      this.licenseStatus = {
-        valid: state === LICENSE_CHECK_STATE.Valid && license.getFeature(PLUGIN.ID).isAvailable,
-        message,
-      };
-      if (this.licenseStatus.valid) {
-        const esSection = management.sections.getSection('elasticsearch');
-        if (esSection && !this.hasRegisteredESManagementSection) {
-          esSection.registerApp({
-            id: 'watcher',
-            title: i18n.translate(
-              'xpack.watcher.sections.watchList.managementSection.watcherDisplayName',
-              { defaultMessage: 'Watcher' }
-            ),
-            mount: async ({ element }) => {
-              const [core, plugins] = await getStartServices();
-              const { chrome, i18n: i18nDep, docLinks, savedObjects } = core;
-              const { eui_utils } = plugins as any;
-              const { boot } = await import('./application/boot');
+    const esSection = management.sections.getSection('elasticsearch');
+
+    const watcherESApp = esSection!.registerApp({
+      id: 'watcher',
+      title: i18n.translate(
+        'xpack.watcher.sections.watchList.managementSection.watcherDisplayName',
+        { defaultMessage: 'Watcher' }
+      ),
+      mount: async ({ element }) => {
+        const [core, plugins] = await getStartServices();
+        const { chrome, i18n: i18nDep, docLinks, savedObjects } = core;
+        const { eui_utils } = plugins as any;
+        const { boot } = await import('./application/boot');
+
+        return boot({
+          // Skip the first license status, because that's already been used to determine
+          // whether to include Watcher.
+          licenseStatus$: licensing.license$.pipe(skip(1), map(licenseToLicenseStatus)),
+          element,
+          toasts: notifications.toasts,
+          http,
+          uiSettings,
+          docLinks,
+          chrome,
+          euiUtils: eui_utils,
+          savedObjects: savedObjects.client,
+          I18nContext: i18nDep.Context,
+          createTimeBuckets: () => new TimeBuckets(uiSettings, data),
+          MANAGEMENT_BREADCRUMB,
+        });
+      },
+    });
+
+    watcherESApp.disable();
 
-              return boot({
-                getLicenseStatus: () => this.licenseStatus,
-                element,
-                toasts: notifications.toasts,
-                http,
-                uiSettings,
-                docLinks,
-                chrome,
-                euiUtils: eui_utils,
-                savedObjects: savedObjects.client,
-                I18nContext: i18nDep.Context,
-                createTimeBuckets: () => new TimeBuckets(uiSettings, data),
-                MANAGEMENT_BREADCRUMB,
-              });
-            },
-          });
+    // TODO: Fix the below dependency on `home` plugin inner workings
+    // Because the home feature catalogue does not have enable/disable functionality we pass
+    // the config in but keep a reference for enabling and disabling showing on home based on
+    // license updates.
+    const watcherHome = {
+      id: 'watcher',
+      title: 'Watcher', // This is a product name so we don't translate it.
+      category: FeatureCatalogueCategory.ADMIN,
+      description: i18n.translate('xpack.watcher.watcherDescription', {
+        defaultMessage: 'Detect changes in your data by creating, managing, and monitoring alerts.',
+      }),
+      icon: 'watchesApp',
+      path: '/app/kibana#/management/elasticsearch/watcher/watches',
+      showOnHomePage: true,
+    };
 
-          home.featureCatalogue.register({
-            id: 'watcher',
-            title: 'Watcher', // This is a product name so we don't translate it.
-            category: FeatureCatalogueCategory.ADMIN,
-            description: i18n.translate('xpack.watcher.watcherDescription', {
-              defaultMessage:
-                'Detect changes in your data by creating, managing, and monitoring alerts.',
-            }),
-            icon: 'watchesApp',
-            path: '/app/kibana#/management/elasticsearch/watcher/watches',
-            showOnHomePage: true,
-          });
+    home.featureCatalogue.register(watcherHome);
 
-          this.hasRegisteredESManagementSection = true;
-        }
+    licensing.license$.pipe(first(), map(licenseToLicenseStatus)).subscribe(({ valid }) => {
+      if (valid) {
+        watcherESApp.enable();
+        watcherHome.showOnHomePage = true;
+      } else {
+        watcherESApp.disable();
+        watcherHome.showOnHomePage = false;
       }
     });
   }

From e00f2628af71cd3d39e04dd56a3509b86d51af36 Mon Sep 17 00:00:00 2001
From: Mikhail Shustov <restrry@gmail.com>
Date: Mon, 27 Jan 2020 13:57:06 +0100
Subject: [PATCH 02/36] [NP] Platform exposes API to get authenticated user
 data (#55327)

* expose auth.get/isAuthenticated. move getAuthHeaders to internal type

* update mocks

* update docs

* update docs

* add integration test for auth
---
 ...lugin-server.coresetup.getstartservices.md |  34 +--
 .../server/kibana-plugin-server.coresetup.md  |  64 ++---
 .../kibana-plugin-server.getauthstate.md      |   6 +-
 ...ana-plugin-server.httpservicesetup.auth.md |  14 ++
 .../kibana-plugin-server.httpservicesetup.md  |   1 +
 .../kibana-plugin-server.isauthenticated.md   |   2 +-
 .../core/server/kibana-plugin-server.md       | 228 ++++++++++++++++++
 ...plugin-server.savedobjectsclientfactory.md |  30 +--
 ...erver.savedobjectsclientfactoryprovider.md |  26 +-
 ...server.savedobjectsclientwrapperfactory.md |  26 +-
 ...server.savedobjectsclientwrapperoptions.md |  42 ++--
 ...avedobjectsclientwrapperoptions.request.md |  22 +-
 ...ositoryfactory.createinternalrepository.md |  26 +-
 ...epositoryfactory.createscopedrepository.md |  26 +-
 ...in-server.savedobjectsrepositoryfactory.md |  42 ++--
 ...vedobjectsservicesetup.addclientwrapper.md |  26 +-
 ...-plugin-server.savedobjectsservicesetup.md |  66 ++---
 ...tsservicesetup.setclientfactoryprovider.md |  26 +-
 ...tsservicestart.createinternalrepository.md |  26 +-
 ...ectsservicestart.createscopedrepository.md |  36 +--
 ...-plugin-server.savedobjectsservicestart.md |  44 ++--
 .../elasticsearch/elasticsearch_service.ts    |   4 +-
 src/core/server/http/auth_state_storage.ts    |  12 +-
 src/core/server/http/http_server.test.ts      | 124 ----------
 src/core/server/http/http_server.ts           |   6 +-
 src/core/server/http/http_service.mock.ts     |  21 +-
 .../integration_tests/core_services.test.ts   | 129 +++++++++-
 src/core/server/http/types.ts                 |  16 ++
 src/core/server/legacy/legacy_service.ts      |   4 +
 src/core/server/mocks.ts                      |   4 +
 src/core/server/plugins/plugin_context.ts     |   1 +
 src/core/server/server.api.md                 |   9 +-
 32 files changed, 709 insertions(+), 434 deletions(-)
 create mode 100644 docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
 create mode 100644 docs/development/core/server/kibana-plugin-server.md

diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md b/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
index b05d28899f9d2..589529cf2a7f7 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [getStartServices](./kibana-plugin-server.coresetup.getstartservices.md)
-
-## CoreSetup.getStartServices() method
-
-Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->. This should only be used inside handlers registered during `setup` that will only be executed after `start` lifecycle.
-
-<b>Signature:</b>
-
-```typescript
-getStartServices(): Promise<[CoreStart, TPluginsStart]>;
-```
-<b>Returns:</b>
-
-`Promise<[CoreStart, TPluginsStart]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [getStartServices](./kibana-plugin-server.coresetup.getstartservices.md)
+
+## CoreSetup.getStartServices() method
+
+Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->. This should only be used inside handlers registered during `setup` that will only be executed after `start` lifecycle.
+
+<b>Signature:</b>
+
+```typescript
+getStartServices(): Promise<[CoreStart, TPluginsStart]>;
+```
+<b>Returns:</b>
+
+`Promise<[CoreStart, TPluginsStart]>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.md b/docs/development/core/server/kibana-plugin-server.coresetup.md
index c36d649837e8a..325f7216122b5 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md)
-
-## CoreSetup interface
-
-Context passed to the plugins `setup` method.
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreSetup<TPluginsStart extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-server.coresetup.capabilities.md) | <code>CapabilitiesSetup</code> | [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [context](./kibana-plugin-server.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-server.contextsetup.md) |
-|  [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md) | <code>ElasticsearchServiceSetup</code> | [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |
-|  [http](./kibana-plugin-server.coresetup.http.md) | <code>HttpServiceSetup</code> | [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) |
-|  [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md) | <code>SavedObjectsServiceSetup</code> | [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) |
-|  [uiSettings](./kibana-plugin-server.coresetup.uisettings.md) | <code>UiSettingsServiceSetup</code> | [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |
-|  [uuid](./kibana-plugin-server.coresetup.uuid.md) | <code>UuidServiceSetup</code> | [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getStartServices()](./kibana-plugin-server.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. This should only be used inside handlers registered during <code>setup</code> that will only be executed after <code>start</code> lifecycle. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md)
+
+## CoreSetup interface
+
+Context passed to the plugins `setup` method.
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreSetup<TPluginsStart extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-server.coresetup.capabilities.md) | <code>CapabilitiesSetup</code> | [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [context](./kibana-plugin-server.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-server.contextsetup.md) |
+|  [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md) | <code>ElasticsearchServiceSetup</code> | [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |
+|  [http](./kibana-plugin-server.coresetup.http.md) | <code>HttpServiceSetup</code> | [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) |
+|  [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md) | <code>SavedObjectsServiceSetup</code> | [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) |
+|  [uiSettings](./kibana-plugin-server.coresetup.uisettings.md) | <code>UiSettingsServiceSetup</code> | [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |
+|  [uuid](./kibana-plugin-server.coresetup.uuid.md) | <code>UuidServiceSetup</code> | [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getStartServices()](./kibana-plugin-server.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. This should only be used inside handlers registered during <code>setup</code> that will only be executed after <code>start</code> lifecycle. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.getauthstate.md b/docs/development/core/server/kibana-plugin-server.getauthstate.md
index 47fc38c28f5e0..1980a81ec1910 100644
--- a/docs/development/core/server/kibana-plugin-server.getauthstate.md
+++ b/docs/development/core/server/kibana-plugin-server.getauthstate.md
@@ -4,13 +4,13 @@
 
 ## GetAuthState type
 
-Get authentication state for a request. Returned by `auth` interceptor.
+Gets authentication state for a request. Returned by `auth` interceptor.
 
 <b>Signature:</b>
 
 ```typescript
-export declare type GetAuthState = (request: KibanaRequest | LegacyRequest) => {
+export declare type GetAuthState = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
     status: AuthStatus;
-    state: unknown;
+    state: T;
 };
 ```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
new file mode 100644
index 0000000000000..f08bb8b638e79
--- /dev/null
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
@@ -0,0 +1,14 @@
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [auth](./kibana-plugin-server.httpservicesetup.auth.md)
+
+## HttpServiceSetup.auth property
+
+<b>Signature:</b>
+
+```typescript
+auth: {
+        get: GetAuthState;
+        isAuthenticated: IsAuthenticated;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
index 3b1993841339d..95a95175672c7 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
@@ -81,6 +81,7 @@ async (context, request, response) => {
 
 |  Property | Type | Description |
 |  --- | --- | --- |
+|  [auth](./kibana-plugin-server.httpservicesetup.auth.md) | <code>{</code><br/><code>        get: GetAuthState;</code><br/><code>        isAuthenticated: IsAuthenticated;</code><br/><code>    }</code> |  |
 |  [basePath](./kibana-plugin-server.httpservicesetup.basepath.md) | <code>IBasePath</code> | Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->. |
 |  [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md) | <code>&lt;T&gt;(cookieOptions: SessionStorageCookieOptions&lt;T&gt;) =&gt; Promise&lt;SessionStorageFactory&lt;T&gt;&gt;</code> | Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) |
 |  [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md) | <code>() =&gt; IRouter</code> | Provides ability to declare a handler function for a particular path and HTTP request method. |
diff --git a/docs/development/core/server/kibana-plugin-server.isauthenticated.md b/docs/development/core/server/kibana-plugin-server.isauthenticated.md
index 15f412710412a..c927b6bea926c 100644
--- a/docs/development/core/server/kibana-plugin-server.isauthenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.isauthenticated.md
@@ -4,7 +4,7 @@
 
 ## IsAuthenticated type
 
-Return authentication status for a request.
+Returns authentication status for a request.
 
 <b>Signature:</b>
 
diff --git a/docs/development/core/server/kibana-plugin-server.md b/docs/development/core/server/kibana-plugin-server.md
new file mode 100644
index 0000000000000..fbce46c3f4ad9
--- /dev/null
+++ b/docs/development/core/server/kibana-plugin-server.md
@@ -0,0 +1,228 @@
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md)
+
+## kibana-plugin-server package
+
+The Kibana Core APIs for server-side plugins.
+
+A plugin requires a `kibana.json` file at it's root directory that follows [the manfiest schema](./kibana-plugin-server.pluginmanifest.md) to define static plugin information required to load the plugin.
+
+A plugin's `server/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-server.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-server.plugin.md)<!-- -->.
+
+The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-server.coresetup.md) or [CoreStart](./kibana-plugin-server.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
+
+## Classes
+
+|  Class | Description |
+|  --- | --- |
+|  [BasePath](./kibana-plugin-server.basepath.md) | Access or manipulate the Kibana base path |
+|  [ClusterClient](./kibana-plugin-server.clusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [CspConfig](./kibana-plugin-server.cspconfig.md) | CSP configuration for use in Kibana. |
+|  [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) | Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as <code>body.error.header[WWW-Authenticate]</code> |
+|  [KibanaRequest](./kibana-plugin-server.kibanarequest.md) | Kibana specific abstraction for an incoming request. |
+|  [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) | Error to return when the validation is not successful. |
+|  [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) |  |
+|  [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |  |
+|  [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |  |
+|  [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
+
+## Enumerations
+
+|  Enumeration | Description |
+|  --- | --- |
+|  [AuthResultType](./kibana-plugin-server.authresulttype.md) |  |
+|  [AuthStatus](./kibana-plugin-server.authstatus.md) | Status indicating an outcome of the authentication. |
+
+## Interfaces
+
+|  Interface | Description |
+|  --- | --- |
+|  [APICaller](./kibana-plugin-server.apicaller.md) |  |
+|  [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) |  |
+|  [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) |  |
+|  [Authenticated](./kibana-plugin-server.authenticated.md) |  |
+|  [AuthResultParams](./kibana-plugin-server.authresultparams.md) | Result of an incoming request authentication. |
+|  [AuthToolkit](./kibana-plugin-server.authtoolkit.md) | A tool set defining an outcome of Auth interceptor for incoming request. |
+|  [CallAPIOptions](./kibana-plugin-server.callapioptions.md) | The set of options that defines how API call should be made and result be processed. |
+|  [Capabilities](./kibana-plugin-server.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
+|  [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) | APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.<!-- -->Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the <code>registerProvider</code> method.<!-- -->Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the <code>registerSwitcher</code> method.<!-- -->Refers to the methods documentation for complete description and examples. |
+|  [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) | APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->. |
+|  [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) | Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.<!-- -->See methods documentation for more detailed examples. |
+|  [ContextSetup](./kibana-plugin-server.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [CoreSetup](./kibana-plugin-server.coresetup.md) | Context passed to the plugins <code>setup</code> method. |
+|  [CoreStart](./kibana-plugin-server.corestart.md) | Context passed to the plugins <code>start</code> method. |
+|  [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) | HTTP response parameters for a response with adjustable status code. |
+|  [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) |  |
+|  [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) |  |
+|  [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) |  |
+|  [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) | UiSettings deprecation field options. |
+|  [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) | Small container object used to expose information about discovered plugins that may or may not have been started. |
+|  [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) |  |
+|  [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |  |
+|  [EnvironmentMode](./kibana-plugin-server.environmentmode.md) |  |
+|  [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) | HTTP response parameters |
+|  [FakeRequest](./kibana-plugin-server.fakerequest.md) | Fake request object created manually by Kibana plugins. |
+|  [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) | HTTP response parameters |
+|  [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) | Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to <code>hapi</code> server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs. |
+|  [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) |  |
+|  [IContextContainer](./kibana-plugin-server.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [ICspConfig](./kibana-plugin-server.icspconfig.md) | CSP configuration for use in Kibana. |
+|  [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) | A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution |
+|  [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) | A tiny abstraction for TCP socket. |
+|  [ImageValidation](./kibana-plugin-server.imagevalidation.md) |  |
+|  [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md) |  |
+|  [IRenderOptions](./kibana-plugin-server.irenderoptions.md) |  |
+|  [IRouter](./kibana-plugin-server.irouter.md) | Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations. |
+|  [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) |  |
+|  [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) | Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. |
+|  [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) | Request events. |
+|  [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) | Request specific route information exposed to a handler. |
+|  [LegacyRequest](./kibana-plugin-server.legacyrequest.md) |  |
+|  [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) |  |
+|  [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) |  |
+|  [Logger](./kibana-plugin-server.logger.md) | Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins. |
+|  [LoggerFactory](./kibana-plugin-server.loggerfactory.md) | The single purpose of <code>LoggerFactory</code> interface is to define a way to retrieve a context-based logger instance. |
+|  [LogMeta](./kibana-plugin-server.logmeta.md) | Contextual metadata |
+|  [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) | A tool set defining an outcome of OnPostAuth interceptor for incoming request. |
+|  [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
+|  [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) | Additional data to extend a response. |
+|  [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) | Response status code. |
+|  [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
+|  [PackageInfo](./kibana-plugin-server.packageinfo.md) |  |
+|  [Plugin](./kibana-plugin-server.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
+|  [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) | Describes a plugin configuration properties. |
+|  [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) | Context that's available to plugins during initialization stage. |
+|  [PluginManifest](./kibana-plugin-server.pluginmanifest.md) | Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file. |
+|  [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) |  |
+|  [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) |  |
+|  [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) | Plugin specific context passed to a route handler.<!-- -->Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request |
+|  [RouteConfig](./kibana-plugin-server.routeconfig.md) | Route specific configuration. |
+|  [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) | Additional route options. |
+|  [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) | Additional body options for a route |
+|  [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) | Validation result factory to be used in the custom validation function to return the valid data or validation errors<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->. |
+|  [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) | The configuration object to the RouteValidator class. Set <code>params</code>, <code>query</code> and/or <code>body</code> to specify the validation logic to follow for that property. |
+|  [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) | Additional options for the RouteValidator class to modify its default behaviour. |
+|  [SavedObject](./kibana-plugin-server.savedobject.md) |  |
+|  [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) | A reference to another saved object. |
+|  [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) |  |
+|  [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) |  |
+|  [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) |  |
+|  [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) |  |
+|  [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) |  |
+|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) |  |
+|  [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) |  |
+|  [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) | Options to control the creation of the Saved Objects Client. |
+|  [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) | Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance. |
+|  [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) |  |
+|  [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) |  |
+|  [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) |  |
+|  [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) | Options controlling the export operation. |
+|  [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) | Structure of the export result details entry |
+|  [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) |  |
+|  [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
+|  [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
+|  [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) | Represents a failure to import. |
+|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
+|  [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) | Options to control the import operation. |
+|  [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) | The response describing the result of an import. |
+|  [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
+|  [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
+|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
+|  [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) |  |
+|  [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) |  |
+|  [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) | A raw document as represented directly in the saved object index. |
+|  [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) | Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) |
+|  [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) | Options to control the "resolve import" operation. |
+|  [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) | Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers. |
+|  [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects. |
+|  [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) |  |
+|  [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) |  |
+|  [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) | Return type from a function to validate cookie contents. |
+|  [SessionStorage](./kibana-plugin-server.sessionstorage.md) | Provides an interface to store and retrieve data across requests. |
+|  [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) | Configuration used to create HTTP session storage based on top of cookie mechanism. |
+|  [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) | SessionStorage factory to bind one to an incoming request |
+|  [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) | StringValidation with regex object |
+|  [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) | StringValidation as regex string |
+|  [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
+|  [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |  |
+|  [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |  |
+|  [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) | Describes the values explicitly set by user. |
+|  [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) | APIs to access the application's instance uuid. |
+
+## Variables
+
+|  Variable | Description |
+|  --- | --- |
+|  [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Set of helpers used to create <code>KibanaResponse</code> to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution. |
+|  [validBodyOutput](./kibana-plugin-server.validbodyoutput.md) | The set of valid body.output |
+
+## Type Aliases
+
+|  Type Alias | Description |
+|  --- | --- |
+|  [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md) | See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->. |
+|  [AuthHeaders](./kibana-plugin-server.authheaders.md) | Auth Headers map |
+|  [AuthResult](./kibana-plugin-server.authresult.md) |  |
+|  [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) | Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration. |
+|  [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md) | Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) |
+|  [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) | A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.<!-- -->See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples. |
+|  [ConfigPath](./kibana-plugin-server.configpath.md) |  |
+|  [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md) |  |
+|  [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md) | Get headers to authenticate a user against Elasticsearch. |
+|  [GetAuthState](./kibana-plugin-server.getauthstate.md) | Gets authentication state for a request. Returned by <code>auth</code> interceptor. |
+|  [HandlerContextType](./kibana-plugin-server.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context. |
+|  [HandlerFunction](./kibana-plugin-server.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md) |
+|  [HandlerParameters](./kibana-plugin-server.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->. |
+|  [Headers](./kibana-plugin-server.headers.md) | Http request headers to read. |
+|  [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md) | Data send to the client as a response payload. |
+|  [IBasePath](./kibana-plugin-server.ibasepath.md) | Access or manipulate the Kibana base path[BasePath](./kibana-plugin-server.basepath.md) |
+|  [IClusterClient](./kibana-plugin-server.iclusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [IContextProvider](./kibana-plugin-server.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
+|  [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md) | Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [IsAuthenticated](./kibana-plugin-server.isauthenticated.md) | Returns authentication status for a request. |
+|  [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md) | See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |
+|  [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
+|  [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md) | Route options: If 'GET' or 'OPTIONS' method, body options won't be returned. |
+|  [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Creates an object containing request response payload, HTTP headers, error details, and other data transmitted to the client. |
+|  [KnownHeaders](./kibana-plugin-server.knownheaders.md) | Set of well-known HTTP headers. |
+|  [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md) | Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client. |
+|  [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md) |  |
+|  [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md) |  |
+|  [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md) | Elasticsearch Refresh setting for mutating operation |
+|  [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md) | See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->. |
+|  [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
+|  [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
+|  [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) | Dedicated type for plugin configuration schema. |
+|  [PluginInitializer](./kibana-plugin-server.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>server</code> directory should conform to this interface. |
+|  [PluginName](./kibana-plugin-server.pluginname.md) | Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious. |
+|  [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md) |  |
+|  [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md) |  |
+|  [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md) | HTTP response parameters for redirection response |
+|  [RequestHandler](./kibana-plugin-server.requesthandler.md) | A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions. |
+|  [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md) | An object that handles registration of http request context providers. |
+|  [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md) | Context provider for request handler. Extends request context object with provided functionality or data. |
+|  [ResponseError](./kibana-plugin-server.responseerror.md) | Error message and optional data send to the client in case of error. |
+|  [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md) | Additional data to provide error details. |
+|  [ResponseHeaders](./kibana-plugin-server.responseheaders.md) | Http response headers to set. |
+|  [RouteContentType](./kibana-plugin-server.routecontenttype.md) | The set of supported parseable Content-Types |
+|  [RouteMethod](./kibana-plugin-server.routemethod.md) | The set of common HTTP methods supported by Kibana routing. |
+|  [RouteRegistrar](./kibana-plugin-server.routeregistrar.md) | Route handler common definition |
+|  [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) | The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements. |
+|  [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md) | Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation. |
+|  [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md) | Route validations config and options merged into one object |
+|  [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
+|  [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) |
+|  [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.<!-- -->\#\# SavedObjectsClient errors<!-- -->Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:<!-- -->1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)<!-- -->Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the <code>isXYZError()</code> helpers exposed at <code>SavedObjectsErrorHelpers</code> should be used to understand and manage error responses from the <code>SavedObjectsClient</code>.<!-- -->Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for <code>error.body.error.type</code> or doing substring checks on <code>error.body.error.reason</code>, just use the helpers to understand the meaning of the error:<!-- -->\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }<!-- -->if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }<!-- -->// always rethrow the error unless you handle it throw error; \`\`\`<!-- -->\#\#\# 404s from missing index<!-- -->From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.<!-- -->At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.<!-- -->From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.<!-- -->\#\#\# 503s from missing index<!-- -->Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's <code>action.auto_create_index</code> setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.<!-- -->See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |
+|  [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md) | Describes the factory used to create instances of the Saved Objects Client. |
+|  [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) | Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->. |
+|  [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) | Describes the factory used to create instances of Saved Objects Client Wrappers. |
+|  [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md) | A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.<!-- -->See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->. |
+|  [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md) |  |
+|  [StringValidation](./kibana-plugin-server.stringvalidation.md) | Allows regex objects or a regex string |
+|  [UiSettingsType](./kibana-plugin-server.uisettingstype.md) | UI element type to represent the settings. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
index 01c6c6a108b7b..be4ecfb081dad 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)
-
-## SavedObjectsClientFactory type
-
-Describes the factory used to create instances of the Saved Objects Client.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientFactory = ({ request, }: {
-    request: KibanaRequest;
-}) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)
+
+## SavedObjectsClientFactory type
+
+Describes the factory used to create instances of the Saved Objects Client.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientFactory = ({ request, }: {
+    request: KibanaRequest;
+}) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
index 59617b6be443c..d5be055d3c8c9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md)
-
-## SavedObjectsClientFactoryProvider type
-
-Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientFactoryProvider = (repositoryFactory: SavedObjectsRepositoryFactory) => SavedObjectsClientFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md)
+
+## SavedObjectsClientFactoryProvider type
+
+Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientFactoryProvider = (repositoryFactory: SavedObjectsRepositoryFactory) => SavedObjectsClientFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
index f429c92209900..579c555a83062 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md)
-
-## SavedObjectsClientWrapperFactory type
-
-Describes the factory used to create instances of Saved Objects Client Wrappers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientWrapperFactory = (options: SavedObjectsClientWrapperOptions) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md)
+
+## SavedObjectsClientWrapperFactory type
+
+Describes the factory used to create instances of Saved Objects Client Wrappers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientWrapperFactory = (options: SavedObjectsClientWrapperOptions) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
index dfff863898a2b..57b60b50313c2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md)
-
-## SavedObjectsClientWrapperOptions interface
-
-Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsClientWrapperOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md) | <code>SavedObjectsClientContract</code> |  |
-|  [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md) | <code>KibanaRequest</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md)
+
+## SavedObjectsClientWrapperOptions interface
+
+Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsClientWrapperOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md) | <code>SavedObjectsClientContract</code> |  |
+|  [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md) | <code>KibanaRequest</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
index 89c7e0ed207ff..688defbe47b94 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md)
-
-## SavedObjectsClientWrapperOptions.request property
-
-<b>Signature:</b>
-
-```typescript
-request: KibanaRequest;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md)
+
+## SavedObjectsClientWrapperOptions.request property
+
+<b>Signature:</b>
+
+```typescript
+request: KibanaRequest;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
index b808d38793fff..9be1583c3e254 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md)
-
-## SavedObjectsRepositoryFactory.createInternalRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md)
+
+## SavedObjectsRepositoryFactory.createInternalRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
index 20322d809dce7..5dd9bb05f1fbe 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md)
-
-## SavedObjectsRepositoryFactory.createScopedRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md)
+
+## SavedObjectsRepositoryFactory.createScopedRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
index fc6c4a516284a..62bcb2d10363e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md)
-
-## SavedObjectsRepositoryFactory interface
-
-Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsRepositoryFactory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
-|  [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md)
+
+## SavedObjectsRepositoryFactory interface
+
+Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsRepositoryFactory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
+|  [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
index becff5bd2821e..769be031eca06 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md)
-
-## SavedObjectsServiceSetup.addClientWrapper property
-
-Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority.
-
-<b>Signature:</b>
-
-```typescript
-addClientWrapper: (priority: number, id: string, factory: SavedObjectsClientWrapperFactory) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md)
+
+## SavedObjectsServiceSetup.addClientWrapper property
+
+Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority.
+
+<b>Signature:</b>
+
+```typescript
+addClientWrapper: (priority: number, id: string, factory: SavedObjectsClientWrapperFactory) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
index 64fb1f4a5f638..2c421f7fc13a7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
@@ -1,33 +1,33 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
-
-## SavedObjectsServiceSetup interface
-
-Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsServiceSetup 
-```
-
-## Remarks
-
-Note: The Saved Object setup API's should only be used for creating and registering client wrappers. Constructing a Saved Objects client or repository for use within your own plugin won't have any of the registered wrappers applied and is considered an anti-pattern. Use the Saved Objects client from the [SavedObjectsServiceStart\#getScopedClient](./kibana-plugin-server.savedobjectsservicestart.md) method or the [route handler context](./kibana-plugin-server.requesthandlercontext.md) instead.
-
-When plugins access the Saved Objects client, a new client is created using the factory provided to `setClientFactory` and wrapped by all wrappers registered through `addClientWrapper`<!-- -->. To create a factory or wrapper, plugins will have to construct a Saved Objects client. First create a repository by calling `scopedRepository` or `internalRepository` and then use this repository as the argument to the [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) constructor.
-
-## Example
-
-import { SavedObjectsClient, CoreSetup } from 'src/core/server';
-
-export class Plugin() { setup: (core: CoreSetup) =<!-- -->&gt; { core.savedObjects.setClientFactory((<!-- -->{ request: KibanaRequest }<!-- -->) =<!-- -->&gt; { return new SavedObjectsClient(core.savedObjects.scopedRepository(request)); }<!-- -->) } }
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md) | <code>(priority: number, id: string, factory: SavedObjectsClientWrapperFactory) =&gt; void</code> | Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority. |
-|  [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) | <code>(clientFactoryProvider: SavedObjectsClientFactoryProvider) =&gt; void</code> | Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
+
+## SavedObjectsServiceSetup interface
+
+Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsServiceSetup 
+```
+
+## Remarks
+
+Note: The Saved Object setup API's should only be used for creating and registering client wrappers. Constructing a Saved Objects client or repository for use within your own plugin won't have any of the registered wrappers applied and is considered an anti-pattern. Use the Saved Objects client from the [SavedObjectsServiceStart\#getScopedClient](./kibana-plugin-server.savedobjectsservicestart.md) method or the [route handler context](./kibana-plugin-server.requesthandlercontext.md) instead.
+
+When plugins access the Saved Objects client, a new client is created using the factory provided to `setClientFactory` and wrapped by all wrappers registered through `addClientWrapper`<!-- -->. To create a factory or wrapper, plugins will have to construct a Saved Objects client. First create a repository by calling `scopedRepository` or `internalRepository` and then use this repository as the argument to the [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) constructor.
+
+## Example
+
+import { SavedObjectsClient, CoreSetup } from 'src/core/server';
+
+export class Plugin() { setup: (core: CoreSetup) =<!-- -->&gt; { core.savedObjects.setClientFactory((<!-- -->{ request: KibanaRequest }<!-- -->) =<!-- -->&gt; { return new SavedObjectsClient(core.savedObjects.scopedRepository(request)); }<!-- -->) } }
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md) | <code>(priority: number, id: string, factory: SavedObjectsClientWrapperFactory) =&gt; void</code> | Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority. |
+|  [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) | <code>(clientFactoryProvider: SavedObjectsClientFactoryProvider) =&gt; void</code> | Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
index ed11255048f19..5b57495198edc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
-
-## SavedObjectsServiceSetup.setClientFactoryProvider property
-
-Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail.
-
-<b>Signature:</b>
-
-```typescript
-setClientFactoryProvider: (clientFactoryProvider: SavedObjectsClientFactoryProvider) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
+
+## SavedObjectsServiceSetup.setClientFactoryProvider property
+
+Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail.
+
+<b>Signature:</b>
+
+```typescript
+setClientFactoryProvider: (clientFactoryProvider: SavedObjectsClientFactoryProvider) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
index d639a8bc66b7e..c33e1750224d7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md)
-
-## SavedObjectsServiceStart.createInternalRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md)
+
+## SavedObjectsServiceStart.createInternalRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
index 7683a9e46c51d..e562f7f4e7569 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md)
-
-## SavedObjectsServiceStart.createScopedRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
-```
-
-## Remarks
-
-Prefer using `getScopedClient`<!-- -->. This should only be used when using methods not exposed on [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md)
+
+## SavedObjectsServiceStart.createScopedRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
+```
+
+## Remarks
+
+Prefer using `getScopedClient`<!-- -->. This should only be used when using methods not exposed on [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
index cf2b4f57a7461..7e4b1fd9158e6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
-
-## SavedObjectsServiceStart interface
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
-|  [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
-|  [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md) | <code>(req: KibanaRequest, options?: SavedObjectsClientProviderOptions) =&gt; SavedObjectsClientContract</code> | Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.<!-- -->A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
+
+## SavedObjectsServiceStart interface
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
+|  [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
+|  [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md) | <code>(req: KibanaRequest, options?: SavedObjectsClientProviderOptions) =&gt; SavedObjectsClientContract</code> | Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.<!-- -->A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->. |
+
diff --git a/src/core/server/elasticsearch/elasticsearch_service.ts b/src/core/server/elasticsearch/elasticsearch_service.ts
index aba246ce66fb5..de111e1cb8b9b 100644
--- a/src/core/server/elasticsearch/elasticsearch_service.ts
+++ b/src/core/server/elasticsearch/elasticsearch_service.ts
@@ -75,7 +75,7 @@ export class ElasticsearchService implements CoreService<InternalElasticsearchSe
             const coreClients = {
               config,
               adminClient: this.createClusterClient('admin', config),
-              dataClient: this.createClusterClient('data', config, deps.http.auth.getAuthHeaders),
+              dataClient: this.createClusterClient('data', config, deps.http.getAuthHeaders),
             };
 
             subscriber.next(coreClients);
@@ -157,7 +157,7 @@ export class ElasticsearchService implements CoreService<InternalElasticsearchSe
 
       createClient: (type: string, clientConfig: Partial<ElasticsearchClientConfig> = {}) => {
         const finalConfig = merge({}, config, clientConfig);
-        return this.createClusterClient(type, finalConfig, deps.http.auth.getAuthHeaders);
+        return this.createClusterClient(type, finalConfig, deps.http.getAuthHeaders);
       },
     };
   }
diff --git a/src/core/server/http/auth_state_storage.ts b/src/core/server/http/auth_state_storage.ts
index 059dc7f380351..10c8ccca32401 100644
--- a/src/core/server/http/auth_state_storage.ts
+++ b/src/core/server/http/auth_state_storage.ts
@@ -38,16 +38,16 @@ export enum AuthStatus {
 }
 
 /**
- * Get authentication state for a request. Returned by `auth` interceptor.
+ * Gets authentication state for a request. Returned by `auth` interceptor.
  * @param request {@link KibanaRequest} - an incoming request.
  * @public
  */
-export type GetAuthState = (
+export type GetAuthState = <T = unknown>(
   request: KibanaRequest | LegacyRequest
-) => { status: AuthStatus; state: unknown };
+) => { status: AuthStatus; state: T };
 
 /**
- * Return authentication status for a request.
+ * Returns authentication status for a request.
  * @param request {@link KibanaRequest} - an incoming request.
  * @public
  */
@@ -60,9 +60,9 @@ export class AuthStateStorage {
   public set = (request: KibanaRequest | LegacyRequest, state: unknown) => {
     this.storage.set(ensureRawRequest(request), state);
   };
-  public get: GetAuthState = request => {
+  public get = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
     const key = ensureRawRequest(request);
-    const state = this.storage.get(key);
+    const state = this.storage.get(key) as T;
     const status: AuthStatus = this.storage.has(key)
       ? AuthStatus.authenticated
       : this.canBeAuthenticated()
diff --git a/src/core/server/http/http_server.test.ts b/src/core/server/http/http_server.test.ts
index df7b4b5af4267..f8ef49b0f6d18 100644
--- a/src/core/server/http/http_server.test.ts
+++ b/src/core/server/http/http_server.test.ts
@@ -1067,130 +1067,6 @@ describe('setup contract', () => {
     });
   });
 
-  describe('#auth.isAuthenticated()', () => {
-    it('returns true if has been authorized', async () => {
-      const { registerAuth, registerRouter, server: innerServer, auth } = await server.setup(
-        config
-      );
-
-      const router = new Router('', logger, enhanceWithContext);
-      router.get({ path: '/', validate: false }, (context, req, res) =>
-        res.ok({ body: { isAuthenticated: auth.isAuthenticated(req) } })
-      );
-      registerRouter(router);
-
-      await registerAuth((req, res, toolkit) => toolkit.authenticated());
-
-      await server.start();
-      await supertest(innerServer.listener)
-        .get('/')
-        .expect(200, { isAuthenticated: true });
-    });
-
-    it('returns false if has not been authorized', async () => {
-      const { registerAuth, registerRouter, server: innerServer, auth } = await server.setup(
-        config
-      );
-
-      const router = new Router('', logger, enhanceWithContext);
-      router.get(
-        { path: '/', validate: false, options: { authRequired: false } },
-        (context, req, res) => res.ok({ body: { isAuthenticated: auth.isAuthenticated(req) } })
-      );
-      registerRouter(router);
-
-      await registerAuth((req, res, toolkit) => toolkit.authenticated());
-
-      await server.start();
-      await supertest(innerServer.listener)
-        .get('/')
-        .expect(200, { isAuthenticated: false });
-    });
-
-    it('returns false if no authorization mechanism has been registered', async () => {
-      const { registerRouter, server: innerServer, auth } = await server.setup(config);
-
-      const router = new Router('', logger, enhanceWithContext);
-      router.get(
-        { path: '/', validate: false, options: { authRequired: false } },
-        (context, req, res) => res.ok({ body: { isAuthenticated: auth.isAuthenticated(req) } })
-      );
-      registerRouter(router);
-
-      await server.start();
-      await supertest(innerServer.listener)
-        .get('/')
-        .expect(200, { isAuthenticated: false });
-    });
-  });
-
-  describe('#auth.get()', () => {
-    it('returns authenticated status and allow associate auth state with request', async () => {
-      const user = { id: '42' };
-      const {
-        createCookieSessionStorageFactory,
-        registerRouter,
-        registerAuth,
-        server: innerServer,
-        auth,
-      } = await server.setup(config);
-      const sessionStorageFactory = await createCookieSessionStorageFactory(cookieOptions);
-      registerAuth((req, res, toolkit) => {
-        sessionStorageFactory.asScoped(req).set({ value: user, expires: Date.now() + 1000 });
-        return toolkit.authenticated({ state: user });
-      });
-
-      const router = new Router('', logger, enhanceWithContext);
-      router.get({ path: '/', validate: false }, (context, req, res) =>
-        res.ok({ body: auth.get(req) })
-      );
-      registerRouter(router);
-      await server.start();
-
-      await supertest(innerServer.listener)
-        .get('/')
-        .expect(200, { state: user, status: 'authenticated' });
-    });
-
-    it('returns correct authentication unknown status', async () => {
-      const { registerRouter, server: innerServer, auth } = await server.setup(config);
-
-      const router = new Router('', logger, enhanceWithContext);
-      router.get({ path: '/', validate: false }, (context, req, res) =>
-        res.ok({ body: auth.get(req) })
-      );
-
-      registerRouter(router);
-      await server.start();
-      await supertest(innerServer.listener)
-        .get('/')
-        .expect(200, { status: 'unknown' });
-    });
-
-    it('returns correct unauthenticated status', async () => {
-      const authenticate = jest.fn();
-
-      const { registerRouter, registerAuth, server: innerServer, auth } = await server.setup(
-        config
-      );
-      await registerAuth(authenticate);
-      const router = new Router('', logger, enhanceWithContext);
-      router.get(
-        { path: '/', validate: false, options: { authRequired: false } },
-        (context, req, res) => res.ok({ body: auth.get(req) })
-      );
-
-      registerRouter(router);
-      await server.start();
-
-      await supertest(innerServer.listener)
-        .get('/')
-        .expect(200, { status: 'unauthenticated' });
-
-      expect(authenticate).not.toHaveBeenCalled();
-    });
-  });
-
   describe('#isTlsEnabled', () => {
     it('returns "true" if TLS enabled', async () => {
       const { isTlsEnabled } = await server.setup(configWithSSL);
diff --git a/src/core/server/http/http_server.ts b/src/core/server/http/http_server.ts
index 6b978b71c6f2b..fdc272041ce35 100644
--- a/src/core/server/http/http_server.ts
+++ b/src/core/server/http/http_server.ts
@@ -32,7 +32,7 @@ import {
   SessionStorageCookieOptions,
   createCookieSessionStorageFactory,
 } from './cookie_session_storage';
-import { AuthStateStorage, GetAuthState, IsAuthenticated } from './auth_state_storage';
+import { IsAuthenticated, AuthStateStorage, GetAuthState } from './auth_state_storage';
 import { AuthHeadersStorage, GetAuthHeaders } from './auth_headers_storage';
 import { BasePath } from './base_path_service';
 import { HttpServiceSetup } from './types';
@@ -53,10 +53,10 @@ export interface HttpServerSetup {
   registerOnPostAuth: HttpServiceSetup['registerOnPostAuth'];
   registerOnPreResponse: HttpServiceSetup['registerOnPreResponse'];
   isTlsEnabled: HttpServiceSetup['isTlsEnabled'];
+  getAuthHeaders: GetAuthHeaders;
   auth: {
     get: GetAuthState;
     isAuthenticated: IsAuthenticated;
-    getAuthHeaders: GetAuthHeaders;
   };
 }
 
@@ -120,8 +120,8 @@ export class HttpServer {
       auth: {
         get: this.authState.get,
         isAuthenticated: this.authState.isAuthenticated,
-        getAuthHeaders: this.authRequestHeaders.get,
       },
+      getAuthHeaders: this.authRequestHeaders.get,
       isTlsEnabled: config.ssl.enabled,
       // Return server instance with the connection options so that we can properly
       // bridge core and the "legacy" Kibana internally. Once this bridge isn't
diff --git a/src/core/server/http/http_service.mock.ts b/src/core/server/http/http_service.mock.ts
index 6db1ca80ab437..2b2d98d937e85 100644
--- a/src/core/server/http/http_service.mock.ts
+++ b/src/core/server/http/http_service.mock.ts
@@ -23,6 +23,7 @@ import { mockRouter } from './router/router.mock';
 import { configMock } from '../config/config.mock';
 import { InternalHttpServiceSetup } from './types';
 import { HttpService } from './http_service';
+import { AuthStatus } from './auth_state_storage';
 import { OnPreAuthToolkit } from './lifecycle/on_pre_auth';
 import { AuthToolkit } from './lifecycle/auth';
 import { sessionStorageMock } from './cookie_session_storage.mocks';
@@ -30,6 +31,7 @@ import { OnPostAuthToolkit } from './lifecycle/on_post_auth';
 import { OnPreResponseToolkit } from './lifecycle/on_pre_response';
 
 type BasePathMocked = jest.Mocked<InternalHttpServiceSetup['basePath']>;
+type AuthMocked = jest.Mocked<InternalHttpServiceSetup['auth']>;
 export type HttpServiceSetupMock = jest.Mocked<InternalHttpServiceSetup> & {
   basePath: BasePathMocked;
 };
@@ -42,6 +44,16 @@ const createBasePathMock = (serverBasePath = '/mock-server-basepath'): BasePathM
   remove: jest.fn(),
 });
 
+const createAuthMock = () => {
+  const mock: AuthMocked = {
+    get: jest.fn(),
+    isAuthenticated: jest.fn(),
+  };
+  mock.get.mockReturnValue({ status: AuthStatus.authenticated, state: {} });
+  mock.isAuthenticated.mockReturnValue(true);
+  return mock;
+};
+
 const createSetupContractMock = () => {
   const setupContract: HttpServiceSetupMock = {
     // we can mock other hapi server methods when we need it
@@ -62,17 +74,15 @@ const createSetupContractMock = () => {
     createRouter: jest.fn().mockImplementation(() => mockRouter.create({})),
     basePath: createBasePathMock(),
     csp: CspConfig.DEFAULT,
-    auth: {
-      get: jest.fn(),
-      isAuthenticated: jest.fn(),
-      getAuthHeaders: jest.fn(),
-    },
+    auth: createAuthMock(),
+    getAuthHeaders: jest.fn(),
     isTlsEnabled: false,
   };
   setupContract.createCookieSessionStorageFactory.mockResolvedValue(
     sessionStorageMock.createFactory()
   );
   setupContract.createRouter.mockImplementation(() => mockRouter.create());
+  setupContract.getAuthHeaders.mockReturnValue({ authorization: 'authorization-header' });
   return setupContract;
 };
 
@@ -107,6 +117,7 @@ const createOnPreResponseToolkitMock = (): jest.Mocked<OnPreResponseToolkit> =>
 export const httpServiceMock = {
   create: createHttpServiceMock,
   createBasePath: createBasePathMock,
+  createAuth: createAuthMock,
   createSetupContract: createSetupContractMock,
   createOnPreAuthToolkit: createOnPreAuthToolkitMock,
   createOnPostAuthToolkit: createOnPostAuthToolkitMock,
diff --git a/src/core/server/http/integration_tests/core_services.test.ts b/src/core/server/http/integration_tests/core_services.test.ts
index 65c4f1432721d..65b8ba551cf91 100644
--- a/src/core/server/http/integration_tests/core_services.test.ts
+++ b/src/core/server/http/integration_tests/core_services.test.ts
@@ -32,17 +32,132 @@ interface StorageData {
   expires: number;
 }
 
+const cookieOptions = {
+  name: 'sid',
+  encryptionKey: 'something_at_least_32_characters',
+  validate: () => ({ isValid: true }),
+  isSecure: false,
+};
+
 describe('http service', () => {
+  describe('auth', () => {
+    let root: ReturnType<typeof kbnTestServer.createRoot>;
+    beforeEach(async () => {
+      root = kbnTestServer.createRoot();
+    }, 30000);
+
+    afterEach(async () => {
+      await root.shutdown();
+    });
+    describe('#isAuthenticated()', () => {
+      it('returns true if has been authorized', async () => {
+        const { http } = await root.setup();
+        const { registerAuth, createRouter, auth } = http;
+
+        await registerAuth((req, res, toolkit) => toolkit.authenticated());
+
+        const router = createRouter('');
+        router.get({ path: '/is-auth', validate: false }, (context, req, res) =>
+          res.ok({ body: { isAuthenticated: auth.isAuthenticated(req) } })
+        );
+
+        await root.start();
+        await kbnTestServer.request.get(root, '/is-auth').expect(200, { isAuthenticated: true });
+      });
+
+      it('returns false if has not been authorized', async () => {
+        const { http } = await root.setup();
+        const { registerAuth, createRouter, auth } = http;
+
+        await registerAuth((req, res, toolkit) => toolkit.authenticated());
+
+        const router = createRouter('');
+        router.get(
+          { path: '/is-auth', validate: false, options: { authRequired: false } },
+          (context, req, res) => res.ok({ body: { isAuthenticated: auth.isAuthenticated(req) } })
+        );
+
+        await root.start();
+        await kbnTestServer.request.get(root, '/is-auth').expect(200, { isAuthenticated: false });
+      });
+
+      it('returns false if no authorization mechanism has been registered', async () => {
+        const { http } = await root.setup();
+        const { createRouter, auth } = http;
+
+        const router = createRouter('');
+        router.get(
+          { path: '/is-auth', validate: false, options: { authRequired: false } },
+          (context, req, res) => res.ok({ body: { isAuthenticated: auth.isAuthenticated(req) } })
+        );
+
+        await root.start();
+        await kbnTestServer.request.get(root, '/is-auth').expect(200, { isAuthenticated: false });
+      });
+    });
+    describe('#get()', () => {
+      it('returns authenticated status and allow associate auth state with request', async () => {
+        const user = { id: '42' };
+
+        const { http } = await root.setup();
+        const { createCookieSessionStorageFactory, createRouter, registerAuth, auth } = http;
+        const sessionStorageFactory = await createCookieSessionStorageFactory(cookieOptions);
+        registerAuth((req, res, toolkit) => {
+          sessionStorageFactory.asScoped(req).set({ value: user });
+          return toolkit.authenticated({ state: user });
+        });
+
+        const router = createRouter('');
+        router.get({ path: '/get-auth', validate: false }, (context, req, res) =>
+          res.ok({ body: auth.get<{ id: string }>(req) })
+        );
+
+        await root.start();
+
+        await kbnTestServer.request
+          .get(root, '/get-auth')
+          .expect(200, { state: user, status: 'authenticated' });
+      });
+
+      it('returns correct authentication unknown status', async () => {
+        const { http } = await root.setup();
+        const { createRouter, auth } = http;
+
+        const router = createRouter('');
+        router.get({ path: '/get-auth', validate: false }, (context, req, res) =>
+          res.ok({ body: auth.get(req) })
+        );
+
+        await root.start();
+        await kbnTestServer.request.get(root, '/get-auth').expect(200, { status: 'unknown' });
+      });
+
+      it('returns correct unauthenticated status', async () => {
+        const authenticate = jest.fn();
+
+        const { http } = await root.setup();
+        const { createRouter, registerAuth, auth } = http;
+        await registerAuth(authenticate);
+        const router = createRouter('');
+        router.get(
+          { path: '/get-auth', validate: false, options: { authRequired: false } },
+          (context, req, res) => res.ok({ body: auth.get(req) })
+        );
+
+        await root.start();
+
+        await kbnTestServer.request
+          .get(root, '/get-auth')
+          .expect(200, { status: 'unauthenticated' });
+
+        expect(authenticate).not.toHaveBeenCalled();
+      });
+    });
+  });
+
   describe('legacy server', () => {
     describe('#registerAuth()', () => {
       const sessionDurationMs = 1000;
-      const cookieOptions = {
-        name: 'sid',
-        encryptionKey: 'something_at_least_32_characters',
-        validate: () => ({ isValid: true }),
-        isSecure: false,
-        path: '/',
-      };
 
       let root: ReturnType<typeof kbnTestServer.createRoot>;
       beforeEach(async () => {
diff --git a/src/core/server/http/types.ts b/src/core/server/http/types.ts
index 9c8bfc073a524..01b852c26ec93 100644
--- a/src/core/server/http/types.ts
+++ b/src/core/server/http/types.ts
@@ -18,6 +18,8 @@
  */
 import { IContextProvider, IContextContainer } from '../context';
 import { ICspConfig } from '../csp';
+import { GetAuthState, IsAuthenticated } from './auth_state_storage';
+import { GetAuthHeaders } from './auth_headers_storage';
 import { RequestHandler, IRouter } from './router';
 import { HttpServerSetup } from './http_server';
 import { SessionStorageCookieOptions } from './cookie_session_storage';
@@ -183,6 +185,19 @@ export interface HttpServiceSetup {
    */
   basePath: IBasePath;
 
+  auth: {
+    /**
+     * Gets authentication state for a request. Returned by `auth` interceptor.
+     * {@link GetAuthState}
+     */
+    get: GetAuthState;
+    /**
+     * Returns authentication status for a request.
+     * {@link IsAuthenticated}
+     */
+    isAuthenticated: IsAuthenticated;
+  };
+
   /**
    * The CSP config used for Kibana.
    */
@@ -245,6 +260,7 @@ export interface InternalHttpServiceSetup
   auth: HttpServerSetup['auth'];
   server: HttpServerSetup['server'];
   createRouter: (path: string, plugin?: PluginOpaqueId) => IRouter;
+  getAuthHeaders: GetAuthHeaders;
   registerRouteHandlerContext: <T extends keyof RequestHandlerContext>(
     pluginOpaqueId: PluginOpaqueId,
     contextName: T,
diff --git a/src/core/server/legacy/legacy_service.ts b/src/core/server/legacy/legacy_service.ts
index 0cb717e3832aa..d0e0453564f94 100644
--- a/src/core/server/legacy/legacy_service.ts
+++ b/src/core/server/legacy/legacy_service.ts
@@ -286,6 +286,10 @@ export class LegacyService implements CoreService {
         registerOnPostAuth: setupDeps.core.http.registerOnPostAuth,
         registerOnPreResponse: setupDeps.core.http.registerOnPreResponse,
         basePath: setupDeps.core.http.basePath,
+        auth: {
+          get: setupDeps.core.http.auth.get,
+          isAuthenticated: setupDeps.core.http.auth.isAuthenticated,
+        },
         csp: setupDeps.core.http.csp,
         isTlsEnabled: setupDeps.core.http.isTlsEnabled,
       },
diff --git a/src/core/server/mocks.ts b/src/core/server/mocks.ts
index c0a8973d98a54..50ce507520d04 100644
--- a/src/core/server/mocks.ts
+++ b/src/core/server/mocks.ts
@@ -101,6 +101,10 @@ function createCoreSetupMock() {
     isTlsEnabled: httpService.isTlsEnabled,
     createRouter: jest.fn(),
     registerRouteHandlerContext: jest.fn(),
+    auth: {
+      get: httpService.auth.get,
+      isAuthenticated: httpService.auth.isAuthenticated,
+    },
   };
   httpMock.createRouter.mockImplementation(() => httpService.createRouter(''));
 
diff --git a/src/core/server/plugins/plugin_context.ts b/src/core/server/plugins/plugin_context.ts
index 99cd4eda7374c..30e5209b2fc6a 100644
--- a/src/core/server/plugins/plugin_context.ts
+++ b/src/core/server/plugins/plugin_context.ts
@@ -161,6 +161,7 @@ export function createPluginSetupContext<TPlugin, TPluginDependencies>(
       registerOnPostAuth: deps.http.registerOnPostAuth,
       registerOnPreResponse: deps.http.registerOnPreResponse,
       basePath: deps.http.basePath,
+      auth: { get: deps.http.auth.get, isAuthenticated: deps.http.auth.isAuthenticated },
       csp: deps.http.csp,
       isTlsEnabled: deps.http.isTlsEnabled,
     },
diff --git a/src/core/server/server.api.md b/src/core/server/server.api.md
index 446990980fdd7..e4ea06769007a 100644
--- a/src/core/server/server.api.md
+++ b/src/core/server/server.api.md
@@ -706,9 +706,9 @@ export interface FakeRequest {
 export type GetAuthHeaders = (request: KibanaRequest | LegacyRequest) => AuthHeaders | undefined;
 
 // @public
-export type GetAuthState = (request: KibanaRequest | LegacyRequest) => {
+export type GetAuthState = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
     status: AuthStatus;
-    state: unknown;
+    state: T;
 };
 
 // @public
@@ -738,6 +738,11 @@ export type HttpResponsePayload = undefined | string | Record<string, any> | Buf
 
 // @public
 export interface HttpServiceSetup {
+    // (undocumented)
+    auth: {
+        get: GetAuthState;
+        isAuthenticated: IsAuthenticated;
+    };
     basePath: IBasePath;
     createCookieSessionStorageFactory: <T>(cookieOptions: SessionStorageCookieOptions<T>) => Promise<SessionStorageFactory<T>>;
     createRouter: () => IRouter;

From 1ea175e2c613fe105bf33a70471d9925fda53003 Mon Sep 17 00:00:00 2001
From: Mikhail Shustov <restrry@gmail.com>
Date: Mon, 27 Jan 2020 14:39:56 +0100
Subject: [PATCH 03/36] Normalize EOL symbol for the platform docs (#55689)

* use api-extractor generate command with api-documenter config

* update docs
---
 api-documenter.json                           |   4 +
 docs/development/core/public/index.md         |  24 +-
 .../kibana-plugin-public.app.approute.md      |  26 +-
 .../kibana-plugin-public.app.chromeless.md    |  26 +-
 .../core/public/kibana-plugin-public.app.md   |  44 +-
 .../public/kibana-plugin-public.app.mount.md  |  36 +-
 ...bana-plugin-public.appbase.capabilities.md |  26 +-
 .../kibana-plugin-public.appbase.category.md  |  26 +-
 ...kibana-plugin-public.appbase.chromeless.md |  26 +-
 ...ibana-plugin-public.appbase.euiicontype.md |  26 +-
 .../kibana-plugin-public.appbase.icon.md      |  26 +-
 .../public/kibana-plugin-public.appbase.id.md |  26 +-
 .../public/kibana-plugin-public.appbase.md    |  60 +--
 ...ana-plugin-public.appbase.navlinkstatus.md |  26 +-
 .../kibana-plugin-public.appbase.order.md     |  26 +-
 .../kibana-plugin-public.appbase.status.md    |  26 +-
 .../kibana-plugin-public.appbase.title.md     |  26 +-
 .../kibana-plugin-public.appbase.tooltip.md   |  26 +-
 .../kibana-plugin-public.appbase.updater_.md  |  88 ++--
 ...ana-plugin-public.appcategory.arialabel.md |  26 +-
 ...a-plugin-public.appcategory.euiicontype.md |  26 +-
 .../kibana-plugin-public.appcategory.label.md |  26 +-
 .../kibana-plugin-public.appcategory.md       |  46 +-
 .../kibana-plugin-public.appcategory.order.md |  26 +-
 .../kibana-plugin-public.appleaveaction.md    |  30 +-
 ...kibana-plugin-public.appleaveactiontype.md |  42 +-
 ...ana-plugin-public.appleaveconfirmaction.md |  48 +-
 ...lugin-public.appleaveconfirmaction.text.md |  22 +-
 ...ugin-public.appleaveconfirmaction.title.md |  22 +-
 ...lugin-public.appleaveconfirmaction.type.md |  22 +-
 ...ana-plugin-public.appleavedefaultaction.md |  44 +-
 ...lugin-public.appleavedefaultaction.type.md |  22 +-
 .../kibana-plugin-public.appleavehandler.md   |  30 +-
 .../kibana-plugin-public.applicationsetup.md  |  42 +-
 ...plugin-public.applicationsetup.register.md |  48 +-
 ...lic.applicationsetup.registerappupdater.md |  94 ++--
 ...c.applicationsetup.registermountcontext.md |  58 +--
 ...in-public.applicationstart.capabilities.md |  26 +-
 ...in-public.applicationstart.geturlforapp.md |  54 +--
 .../kibana-plugin-public.applicationstart.md  |  54 +--
 ...n-public.applicationstart.navigatetoapp.md |  56 +--
 ...c.applicationstart.registermountcontext.md |  58 +--
 .../public/kibana-plugin-public.appmount.md   |  26 +-
 ...bana-plugin-public.appmountcontext.core.md |  52 +-
 .../kibana-plugin-public.appmountcontext.md   |  48 +-
 ...kibana-plugin-public.appmountdeprecated.md |  44 +-
 ...n-public.appmountparameters.appbasepath.md | 116 ++---
 ...lugin-public.appmountparameters.element.md |  26 +-
 ...kibana-plugin-public.appmountparameters.md |  42 +-
 ...in-public.appmountparameters.onappleave.md |  82 ++--
 .../kibana-plugin-public.appnavlinkstatus.md  |  46 +-
 .../public/kibana-plugin-public.appstatus.md  |  42 +-
 .../public/kibana-plugin-public.appunmount.md |  26 +-
 ...kibana-plugin-public.appupdatablefields.md |  26 +-
 .../public/kibana-plugin-public.appupdater.md |  26 +-
 ...na-plugin-public.capabilities.catalogue.md |  26 +-
 ...a-plugin-public.capabilities.management.md |  30 +-
 .../kibana-plugin-public.capabilities.md      |  44 +-
 ...ana-plugin-public.capabilities.navlinks.md |  26 +-
 ...bana-plugin-public.chromebadge.icontype.md |  22 +-
 .../kibana-plugin-public.chromebadge.md       |  42 +-
 .../kibana-plugin-public.chromebadge.text.md  |  22 +-
 ...ibana-plugin-public.chromebadge.tooltip.md |  22 +-
 .../kibana-plugin-public.chromebrand.logo.md  |  22 +-
 .../kibana-plugin-public.chromebrand.md       |  40 +-
 ...ana-plugin-public.chromebrand.smalllogo.md |  22 +-
 .../kibana-plugin-public.chromebreadcrumb.md  |  24 +-
 ...ana-plugin-public.chromedoctitle.change.md |  68 +--
 .../kibana-plugin-public.chromedoctitle.md    |  78 +--
 ...bana-plugin-public.chromedoctitle.reset.md |  34 +-
 ...ugin-public.chromehelpextension.appname.md |  26 +-
 ...ugin-public.chromehelpextension.content.md |  26 +-
 ...plugin-public.chromehelpextension.links.md |  26 +-
 ...ibana-plugin-public.chromehelpextension.md |  42 +-
 ...ublic.chromehelpextensionmenucustomlink.md |  30 +-
 ...blic.chromehelpextensionmenudiscusslink.md |  30 +-
 ...hromehelpextensionmenudocumentationlink.md |  30 +-
 ...ublic.chromehelpextensionmenugithublink.md |  32 +-
 ...ugin-public.chromehelpextensionmenulink.md |  24 +-
 .../kibana-plugin-public.chromenavcontrol.md  |  40 +-
 ...na-plugin-public.chromenavcontrol.mount.md |  22 +-
 ...na-plugin-public.chromenavcontrol.order.md |  22 +-
 .../kibana-plugin-public.chromenavcontrols.md |  70 +--
 ...n-public.chromenavcontrols.registerleft.md |  48 +-
 ...-public.chromenavcontrols.registerright.md |  48 +-
 ...bana-plugin-public.chromenavlink.active.md |  34 +-
 ...ana-plugin-public.chromenavlink.baseurl.md |  26 +-
 ...na-plugin-public.chromenavlink.category.md |  26 +-
 ...na-plugin-public.chromenavlink.disabled.md |  34 +-
 ...plugin-public.chromenavlink.euiicontype.md |  26 +-
 ...bana-plugin-public.chromenavlink.hidden.md |  26 +-
 ...kibana-plugin-public.chromenavlink.icon.md |  26 +-
 .../kibana-plugin-public.chromenavlink.id.md  |  26 +-
 ...n-public.chromenavlink.linktolastsuburl.md |  34 +-
 .../kibana-plugin-public.chromenavlink.md     |  64 +--
 ...ibana-plugin-public.chromenavlink.order.md |  26 +-
 ...-plugin-public.chromenavlink.suburlbase.md |  34 +-
 ...ibana-plugin-public.chromenavlink.title.md |  26 +-
 ...ana-plugin-public.chromenavlink.tooltip.md |  26 +-
 .../kibana-plugin-public.chromenavlink.url.md |  34 +-
 ...links.enableforcedappswitchernavigation.md |  46 +-
 ...kibana-plugin-public.chromenavlinks.get.md |  48 +-
 ...ana-plugin-public.chromenavlinks.getall.md |  34 +-
 ...navlinks.getforceappswitchernavigation_.md |  34 +-
 ...ugin-public.chromenavlinks.getnavlinks_.md |  34 +-
 ...kibana-plugin-public.chromenavlinks.has.md |  48 +-
 .../kibana-plugin-public.chromenavlinks.md    |  54 +--
 ...a-plugin-public.chromenavlinks.showonly.md |  56 +--
 ...ana-plugin-public.chromenavlinks.update.md |  60 +--
 ...in-public.chromenavlinkupdateablefields.md |  24 +-
 ...lugin-public.chromerecentlyaccessed.add.md |  68 +--
 ...lugin-public.chromerecentlyaccessed.get.md |  50 +-
 ...ugin-public.chromerecentlyaccessed.get_.md |  50 +-
 ...na-plugin-public.chromerecentlyaccessed.md |  44 +-
 ...ic.chromerecentlyaccessedhistoryitem.id.md |  22 +-
 ...chromerecentlyaccessedhistoryitem.label.md |  22 +-
 ....chromerecentlyaccessedhistoryitem.link.md |  22 +-
 ...ublic.chromerecentlyaccessedhistoryitem.md |  42 +-
 ...-public.chromestart.addapplicationclass.md |  48 +-
 ...bana-plugin-public.chromestart.doctitle.md |  26 +-
 ...blic.chromestart.getapplicationclasses_.md |  34 +-
 ...ana-plugin-public.chromestart.getbadge_.md |  34 +-
 ...ana-plugin-public.chromestart.getbrand_.md |  34 +-
 ...ugin-public.chromestart.getbreadcrumbs_.md |  34 +-
 ...in-public.chromestart.gethelpextension_.md |  34 +-
 ...ugin-public.chromestart.getiscollapsed_.md |  34 +-
 ...plugin-public.chromestart.getisvisible_.md |  34 +-
 .../kibana-plugin-public.chromestart.md       | 140 +++---
 ...a-plugin-public.chromestart.navcontrols.md |  26 +-
 ...bana-plugin-public.chromestart.navlinks.md |  26 +-
 ...gin-public.chromestart.recentlyaccessed.md |  26 +-
 ...blic.chromestart.removeapplicationclass.md |  48 +-
 ...a-plugin-public.chromestart.setapptitle.md |  48 +-
 ...bana-plugin-public.chromestart.setbadge.md |  48 +-
 ...bana-plugin-public.chromestart.setbrand.md |  78 +--
 ...lugin-public.chromestart.setbreadcrumbs.md |  48 +-
 ...gin-public.chromestart.sethelpextension.md |  48 +-
 ...in-public.chromestart.sethelpsupporturl.md |  48 +-
 ...lugin-public.chromestart.setiscollapsed.md |  48 +-
 ...-plugin-public.chromestart.setisvisible.md |  48 +-
 ...lic.contextsetup.createcontextcontainer.md |  34 +-
 .../kibana-plugin-public.contextsetup.md      | 276 +++++------
 ...ana-plugin-public.coresetup.application.md |  26 +-
 .../kibana-plugin-public.coresetup.context.md |  34 +-
 ...ana-plugin-public.coresetup.fatalerrors.md |  26 +-
 ...lugin-public.coresetup.getstartservices.md |  34 +-
 .../kibana-plugin-public.coresetup.http.md    |  26 +-
 ...lugin-public.coresetup.injectedmetadata.md |  38 +-
 .../public/kibana-plugin-public.coresetup.md  |  64 +--
 ...a-plugin-public.coresetup.notifications.md |  26 +-
 ...bana-plugin-public.coresetup.uisettings.md |  26 +-
 ...ana-plugin-public.corestart.application.md |  26 +-
 .../kibana-plugin-public.corestart.chrome.md  |  26 +-
 ...kibana-plugin-public.corestart.doclinks.md |  26 +-
 ...ana-plugin-public.corestart.fatalerrors.md |  26 +-
 .../kibana-plugin-public.corestart.http.md    |  26 +-
 .../kibana-plugin-public.corestart.i18n.md    |  26 +-
 ...lugin-public.corestart.injectedmetadata.md |  38 +-
 .../public/kibana-plugin-public.corestart.md  |  60 +--
 ...a-plugin-public.corestart.notifications.md |  26 +-
 ...kibana-plugin-public.corestart.overlays.md |  26 +-
 ...na-plugin-public.corestart.savedobjects.md |  26 +-
 ...bana-plugin-public.corestart.uisettings.md |  26 +-
 ...n-public.doclinksstart.doc_link_version.md |  22 +-
 ...ublic.doclinksstart.elastic_website_url.md |  22 +-
 ...ibana-plugin-public.doclinksstart.links.md | 192 ++++----
 .../kibana-plugin-public.doclinksstart.md     |  42 +-
 ...ibana-plugin-public.environmentmode.dev.md |  22 +-
 .../kibana-plugin-public.environmentmode.md   |  42 +-
 ...bana-plugin-public.environmentmode.name.md |  22 +-
 ...bana-plugin-public.environmentmode.prod.md |  22 +-
 .../kibana-plugin-public.errortoastoptions.md |  42 +-
 ...a-plugin-public.errortoastoptions.title.md |  26 +-
 ...n-public.errortoastoptions.toastmessage.md |  26 +-
 .../kibana-plugin-public.fatalerrorinfo.md    |  42 +-
 ...na-plugin-public.fatalerrorinfo.message.md |  22 +-
 ...bana-plugin-public.fatalerrorinfo.stack.md |  22 +-
 ...bana-plugin-public.fatalerrorssetup.add.md |  26 +-
 ...ana-plugin-public.fatalerrorssetup.get_.md |  26 +-
 .../kibana-plugin-public.fatalerrorssetup.md  |  42 +-
 .../kibana-plugin-public.fatalerrorsstart.md  |  26 +-
 ...kibana-plugin-public.handlercontexttype.md |  26 +-
 .../kibana-plugin-public.handlerfunction.md   |  26 +-
 .../kibana-plugin-public.handlerparameters.md |  26 +-
 ...ugin-public.httpfetchoptions.asresponse.md |  26 +-
 ...public.httpfetchoptions.assystemrequest.md |  26 +-
 ...-plugin-public.httpfetchoptions.headers.md |  26 +-
 .../kibana-plugin-public.httpfetchoptions.md  |  48 +-
 ...public.httpfetchoptions.prependbasepath.md |  26 +-
 ...na-plugin-public.httpfetchoptions.query.md |  26 +-
 ...-plugin-public.httpfetchoptionswithpath.md |  40 +-
 ...in-public.httpfetchoptionswithpath.path.md |  22 +-
 .../kibana-plugin-public.httpfetchquery.md    |  24 +-
 .../kibana-plugin-public.httphandler.md       |  26 +-
 .../kibana-plugin-public.httpheadersinit.md   |  26 +-
 .../kibana-plugin-public.httpinterceptor.md   |  46 +-
 ...a-plugin-public.httpinterceptor.request.md |  50 +-
 ...gin-public.httpinterceptor.requesterror.md |  50 +-
 ...-plugin-public.httpinterceptor.response.md |  50 +-
 ...in-public.httpinterceptor.responseerror.md |  50 +-
 ...ublic.httpinterceptorrequesterror.error.md |  22 +-
 ...ttpinterceptorrequesterror.fetchoptions.md |  22 +-
 ...ugin-public.httpinterceptorrequesterror.md |  40 +-
 ...blic.httpinterceptorresponseerror.error.md |  22 +-
 ...gin-public.httpinterceptorresponseerror.md |  40 +-
 ...ic.httpinterceptorresponseerror.request.md |  22 +-
 ...bana-plugin-public.httprequestinit.body.md |  26 +-
 ...ana-plugin-public.httprequestinit.cache.md |  26 +-
 ...ugin-public.httprequestinit.credentials.md |  26 +-
 ...a-plugin-public.httprequestinit.headers.md |  26 +-
 ...plugin-public.httprequestinit.integrity.md |  26 +-
 ...plugin-public.httprequestinit.keepalive.md |  26 +-
 .../kibana-plugin-public.httprequestinit.md   |  64 +--
 ...na-plugin-public.httprequestinit.method.md |  26 +-
 ...bana-plugin-public.httprequestinit.mode.md |  26 +-
 ...-plugin-public.httprequestinit.redirect.md |  26 +-
 ...-plugin-public.httprequestinit.referrer.md |  26 +-
 ...n-public.httprequestinit.referrerpolicy.md |  26 +-
 ...na-plugin-public.httprequestinit.signal.md |  26 +-
 ...na-plugin-public.httprequestinit.window.md |  26 +-
 .../kibana-plugin-public.httpresponse.body.md |  26 +-
 ...plugin-public.httpresponse.fetchoptions.md |  26 +-
 .../kibana-plugin-public.httpresponse.md      |  44 +-
 ...bana-plugin-public.httpresponse.request.md |  26 +-
 ...ana-plugin-public.httpresponse.response.md |  26 +-
 ...-public.httpsetup.addloadingcountsource.md |  48 +-
 ...-plugin-public.httpsetup.anonymouspaths.md |  26 +-
 ...kibana-plugin-public.httpsetup.basepath.md |  26 +-
 .../kibana-plugin-public.httpsetup.delete.md  |  26 +-
 .../kibana-plugin-public.httpsetup.fetch.md   |  26 +-
 .../kibana-plugin-public.httpsetup.get.md     |  26 +-
 ...lugin-public.httpsetup.getloadingcount_.md |  34 +-
 .../kibana-plugin-public.httpsetup.head.md    |  26 +-
 ...ibana-plugin-public.httpsetup.intercept.md |  52 +-
 .../public/kibana-plugin-public.httpsetup.md  |  72 +--
 .../kibana-plugin-public.httpsetup.options.md |  26 +-
 .../kibana-plugin-public.httpsetup.patch.md   |  26 +-
 .../kibana-plugin-public.httpsetup.post.md    |  26 +-
 .../kibana-plugin-public.httpsetup.put.md     |  26 +-
 .../public/kibana-plugin-public.httpstart.md  |  26 +-
 .../kibana-plugin-public.i18nstart.context.md |  30 +-
 .../public/kibana-plugin-public.i18nstart.md  |  40 +-
 ...ugin-public.ianonymouspaths.isanonymous.md |  48 +-
 .../kibana-plugin-public.ianonymouspaths.md   |  42 +-
 ...-plugin-public.ianonymouspaths.register.md |  48 +-
 .../kibana-plugin-public.ibasepath.get.md     |  26 +-
 .../public/kibana-plugin-public.ibasepath.md  |  44 +-
 .../kibana-plugin-public.ibasepath.prepend.md |  26 +-
 .../kibana-plugin-public.ibasepath.remove.md  |  26 +-
 ...-public.icontextcontainer.createhandler.md |  54 +--
 .../kibana-plugin-public.icontextcontainer.md | 160 +++---
 ...ublic.icontextcontainer.registercontext.md |  68 +--
 .../kibana-plugin-public.icontextprovider.md  |  36 +-
 ...bana-plugin-public.ihttpfetcherror.body.md |  22 +-
 .../kibana-plugin-public.ihttpfetcherror.md   |  46 +-
 ...ibana-plugin-public.ihttpfetcherror.req.md |  32 +-
 ...a-plugin-public.ihttpfetcherror.request.md |  22 +-
 ...ibana-plugin-public.ihttpfetcherror.res.md |  32 +-
 ...-plugin-public.ihttpfetcherror.response.md |  22 +-
 ...in-public.ihttpinterceptcontroller.halt.md |  34 +-
 ...-public.ihttpinterceptcontroller.halted.md |  26 +-
 ...-plugin-public.ihttpinterceptcontroller.md |  52 +-
 ....ihttpresponseinterceptoroverrides.body.md |  26 +-
 ...ublic.ihttpresponseinterceptoroverrides.md |  42 +-
 ...tpresponseinterceptoroverrides.response.md |  26 +-
 ...a-plugin-public.imagevalidation.maxsize.md |  28 +-
 .../kibana-plugin-public.imagevalidation.md   |  38 +-
 .../public/kibana-plugin-public.itoasts.md    |  26 +-
 ...ana-plugin-public.iuisettingsclient.get.md |  26 +-
 ...na-plugin-public.iuisettingsclient.get_.md |  26 +-
 ...-plugin-public.iuisettingsclient.getall.md |  26 +-
 ...ugin-public.iuisettingsclient.getsaved_.md |  34 +-
 ...gin-public.iuisettingsclient.getupdate_.md |  34 +-
 ...blic.iuisettingsclient.getupdateerrors_.md |  26 +-
 ...lugin-public.iuisettingsclient.iscustom.md |  26 +-
 ...gin-public.iuisettingsclient.isdeclared.md |  26 +-
 ...ugin-public.iuisettingsclient.isdefault.md |  26 +-
 ...n-public.iuisettingsclient.isoverridden.md |  26 +-
 .../kibana-plugin-public.iuisettingsclient.md |  64 +--
 ....iuisettingsclient.overridelocaldefault.md |  26 +-
 ...-plugin-public.iuisettingsclient.remove.md |  26 +-
 ...ana-plugin-public.iuisettingsclient.set.md |  26 +-
 ...public.legacycoresetup.injectedmetadata.md |  30 +-
 .../kibana-plugin-public.legacycoresetup.md   |  56 +--
 ...public.legacycorestart.injectedmetadata.md |  30 +-
 .../kibana-plugin-public.legacycorestart.md   |  56 +--
 ...na-plugin-public.legacynavlink.category.md |  22 +-
 ...plugin-public.legacynavlink.euiicontype.md |  22 +-
 ...kibana-plugin-public.legacynavlink.icon.md |  22 +-
 .../kibana-plugin-public.legacynavlink.id.md  |  22 +-
 .../kibana-plugin-public.legacynavlink.md     |  50 +-
 ...ibana-plugin-public.legacynavlink.order.md |  22 +-
 ...ibana-plugin-public.legacynavlink.title.md |  22 +-
 .../kibana-plugin-public.legacynavlink.url.md |  22 +-
 .../core/public/kibana-plugin-public.md       | 322 ++++++-------
 .../public/kibana-plugin-public.mountpoint.md |  26 +-
 ...kibana-plugin-public.notificationssetup.md |  38 +-
 ...plugin-public.notificationssetup.toasts.md |  26 +-
 ...kibana-plugin-public.notificationsstart.md |  38 +-
 ...plugin-public.notificationsstart.toasts.md |  26 +-
 ...a-plugin-public.overlaybannersstart.add.md |  54 +--
 ...public.overlaybannersstart.getcomponent.md |  30 +-
 ...ibana-plugin-public.overlaybannersstart.md |  44 +-
 ...lugin-public.overlaybannersstart.remove.md |  52 +-
 ...ugin-public.overlaybannersstart.replace.md |  56 +--
 .../kibana-plugin-public.overlayref.close.md  |  34 +-
 .../public/kibana-plugin-public.overlayref.md |  52 +-
 ...kibana-plugin-public.overlayref.onclose.md |  30 +-
 ...bana-plugin-public.overlaystart.banners.md |  26 +-
 .../kibana-plugin-public.overlaystart.md      |  44 +-
 ...-plugin-public.overlaystart.openconfirm.md |  24 +-
 ...a-plugin-public.overlaystart.openflyout.md |  24 +-
 ...na-plugin-public.overlaystart.openmodal.md |  24 +-
 ...kibana-plugin-public.packageinfo.branch.md |  22 +-
 ...bana-plugin-public.packageinfo.buildnum.md |  22 +-
 ...bana-plugin-public.packageinfo.buildsha.md |  22 +-
 .../kibana-plugin-public.packageinfo.dist.md  |  22 +-
 .../kibana-plugin-public.packageinfo.md       |  46 +-
 ...ibana-plugin-public.packageinfo.version.md |  22 +-
 .../public/kibana-plugin-public.plugin.md     |  44 +-
 .../kibana-plugin-public.plugin.setup.md      |  46 +-
 .../kibana-plugin-public.plugin.start.md      |  46 +-
 .../kibana-plugin-public.plugin.stop.md       |  30 +-
 .../kibana-plugin-public.plugininitializer.md |  26 +-
 ...-public.plugininitializercontext.config.md |  26 +-
 ...gin-public.plugininitializercontext.env.md |  28 +-
 ...-plugin-public.plugininitializercontext.md |  44 +-
 ...ublic.plugininitializercontext.opaqueid.md |  26 +-
 .../kibana-plugin-public.pluginopaqueid.md    |  24 +-
 .../kibana-plugin-public.recursivereadonly.md |  28 +-
 ...na-plugin-public.savedobject.attributes.md |  26 +-
 .../kibana-plugin-public.savedobject.error.md |  28 +-
 .../kibana-plugin-public.savedobject.id.md    |  26 +-
 .../kibana-plugin-public.savedobject.md       |  52 +-
 ...gin-public.savedobject.migrationversion.md |  26 +-
 ...na-plugin-public.savedobject.references.md |  26 +-
 .../kibana-plugin-public.savedobject.type.md  |  26 +-
 ...na-plugin-public.savedobject.updated_at.md |  26 +-
 ...ibana-plugin-public.savedobject.version.md |  26 +-
 ...bana-plugin-public.savedobjectattribute.md |  26 +-
 ...ana-plugin-public.savedobjectattributes.md |  26 +-
 ...lugin-public.savedobjectattributesingle.md |  26 +-
 ...a-plugin-public.savedobjectreference.id.md |  22 +-
 ...bana-plugin-public.savedobjectreference.md |  44 +-
 ...plugin-public.savedobjectreference.name.md |  22 +-
 ...plugin-public.savedobjectreference.type.md |  22 +-
 ...a-plugin-public.savedobjectsbaseoptions.md |  38 +-
 ...ublic.savedobjectsbaseoptions.namespace.md |  26 +-
 ...plugin-public.savedobjectsbatchresponse.md |  38 +-
 ....savedobjectsbatchresponse.savedobjects.md |  22 +-
 ...savedobjectsbulkcreateobject.attributes.md |  22 +-
 ...gin-public.savedobjectsbulkcreateobject.md |  38 +-
 ...ublic.savedobjectsbulkcreateobject.type.md |  22 +-
 ...in-public.savedobjectsbulkcreateoptions.md |  38 +-
 ...savedobjectsbulkcreateoptions.overwrite.md |  26 +-
 ...savedobjectsbulkupdateobject.attributes.md |  22 +-
 ...-public.savedobjectsbulkupdateobject.id.md |  22 +-
 ...gin-public.savedobjectsbulkupdateobject.md |  46 +-
 ...savedobjectsbulkupdateobject.references.md |  22 +-
 ...ublic.savedobjectsbulkupdateobject.type.md |  22 +-
 ...ic.savedobjectsbulkupdateobject.version.md |  22 +-
 ...in-public.savedobjectsbulkupdateoptions.md |  38 +-
 ...savedobjectsbulkupdateoptions.namespace.md |  22 +-
 ...in-public.savedobjectsclient.bulkcreate.md |  26 +-
 ...lugin-public.savedobjectsclient.bulkget.md |  42 +-
 ...in-public.savedobjectsclient.bulkupdate.md |  52 +-
 ...plugin-public.savedobjectsclient.create.md |  26 +-
 ...plugin-public.savedobjectsclient.delete.md |  26 +-
 ...a-plugin-public.savedobjectsclient.find.md |  26 +-
 ...na-plugin-public.savedobjectsclient.get.md |  26 +-
 ...kibana-plugin-public.savedobjectsclient.md |  72 +--
 ...plugin-public.savedobjectsclient.update.md |  56 +--
 ...lugin-public.savedobjectsclientcontract.md |  26 +-
 ...gin-public.savedobjectscreateoptions.id.md |  26 +-
 ...plugin-public.savedobjectscreateoptions.md |  44 +-
 ...edobjectscreateoptions.migrationversion.md |  26 +-
 ...lic.savedobjectscreateoptions.overwrite.md |  26 +-
 ...ic.savedobjectscreateoptions.references.md |  22 +-
 ...bjectsfindoptions.defaultsearchoperator.md |  22 +-
 ...n-public.savedobjectsfindoptions.fields.md |  36 +-
 ...n-public.savedobjectsfindoptions.filter.md |  22 +-
 ...ic.savedobjectsfindoptions.hasreference.md |  28 +-
 ...a-plugin-public.savedobjectsfindoptions.md |  58 +--
 ...gin-public.savedobjectsfindoptions.page.md |  22 +-
 ...-public.savedobjectsfindoptions.perpage.md |  22 +-
 ...n-public.savedobjectsfindoptions.search.md |  26 +-
 ...ic.savedobjectsfindoptions.searchfields.md |  26 +-
 ...ublic.savedobjectsfindoptions.sortfield.md |  22 +-
 ...ublic.savedobjectsfindoptions.sortorder.md |  22 +-
 ...gin-public.savedobjectsfindoptions.type.md |  22 +-
 ...n-public.savedobjectsfindresponsepublic.md |  48 +-
 ...lic.savedobjectsfindresponsepublic.page.md |  22 +-
 ....savedobjectsfindresponsepublic.perpage.md |  22 +-
 ...ic.savedobjectsfindresponsepublic.total.md |  22 +-
 ...-public.savedobjectsimportconflicterror.md |  40 +-
 ...ic.savedobjectsimportconflicterror.type.md |  22 +-
 ...in-public.savedobjectsimporterror.error.md |  22 +-
 ...lugin-public.savedobjectsimporterror.id.md |  22 +-
 ...a-plugin-public.savedobjectsimporterror.md |  46 +-
 ...in-public.savedobjectsimporterror.title.md |  22 +-
 ...gin-public.savedobjectsimporterror.type.md |  22 +-
 ...tsimportmissingreferenceserror.blocking.md |  28 +-
 ...avedobjectsimportmissingreferenceserror.md |  44 +-
 ...importmissingreferenceserror.references.md |  28 +-
 ...bjectsimportmissingreferenceserror.type.md |  22 +-
 ...ublic.savedobjectsimportresponse.errors.md |  22 +-
 ...lugin-public.savedobjectsimportresponse.md |  44 +-
 ...blic.savedobjectsimportresponse.success.md |  22 +-
 ...savedobjectsimportresponse.successcount.md |  22 +-
 ...lugin-public.savedobjectsimportretry.id.md |  22 +-
 ...a-plugin-public.savedobjectsimportretry.md |  46 +-
 ...ublic.savedobjectsimportretry.overwrite.md |  22 +-
 ...vedobjectsimportretry.replacereferences.md |  30 +-
 ...gin-public.savedobjectsimportretry.type.md |  22 +-
 ...n-public.savedobjectsimportunknownerror.md |  44 +-
 ....savedobjectsimportunknownerror.message.md |  22 +-
 ...vedobjectsimportunknownerror.statuscode.md |  22 +-
 ...lic.savedobjectsimportunknownerror.type.md |  22 +-
 ....savedobjectsimportunsupportedtypeerror.md |  40 +-
 ...dobjectsimportunsupportedtypeerror.type.md |  22 +-
 ...gin-public.savedobjectsmigrationversion.md |  36 +-
 ...-plugin-public.savedobjectsstart.client.md |  26 +-
 .../kibana-plugin-public.savedobjectsstart.md |  38 +-
 ...plugin-public.savedobjectsupdateoptions.md |  42 +-
 ...edobjectsupdateoptions.migrationversion.md |  26 +-
 ...ic.savedobjectsupdateoptions.references.md |  22 +-
 ...ublic.savedobjectsupdateoptions.version.md |  22 +-
 ...-public.simplesavedobject._constructor_.md |  42 +-
 ...lugin-public.simplesavedobject._version.md |  22 +-
 ...gin-public.simplesavedobject.attributes.md |  22 +-
 ...-plugin-public.simplesavedobject.delete.md |  30 +-
 ...a-plugin-public.simplesavedobject.error.md |  22 +-
 ...ana-plugin-public.simplesavedobject.get.md |  44 +-
 ...ana-plugin-public.simplesavedobject.has.md |  44 +-
 ...bana-plugin-public.simplesavedobject.id.md |  22 +-
 .../kibana-plugin-public.simplesavedobject.md |  88 ++--
 ...blic.simplesavedobject.migrationversion.md |  22 +-
 ...gin-public.simplesavedobject.references.md |  22 +-
 ...na-plugin-public.simplesavedobject.save.md |  30 +-
 ...ana-plugin-public.simplesavedobject.set.md |  46 +-
 ...na-plugin-public.simplesavedobject.type.md |  22 +-
 .../kibana-plugin-public.stringvalidation.md  |  26 +-
 ...ana-plugin-public.stringvalidationregex.md |  42 +-
 ...in-public.stringvalidationregex.message.md |  22 +-
 ...ugin-public.stringvalidationregex.regex.md |  22 +-
 ...ugin-public.stringvalidationregexstring.md |  42 +-
 ...lic.stringvalidationregexstring.message.md |  22 +-
 ...stringvalidationregexstring.regexstring.md |  22 +-
 .../core/public/kibana-plugin-public.toast.md |  26 +-
 .../public/kibana-plugin-public.toastinput.md |  26 +-
 .../kibana-plugin-public.toastinputfields.md  |  42 +-
 ...a-plugin-public.toastsapi._constructor_.md |  44 +-
 .../kibana-plugin-public.toastsapi.add.md     |  52 +-
 ...ibana-plugin-public.toastsapi.adddanger.md |  52 +-
 ...kibana-plugin-public.toastsapi.adderror.md |  54 +--
 ...bana-plugin-public.toastsapi.addsuccess.md |  52 +-
 ...bana-plugin-public.toastsapi.addwarning.md |  52 +-
 .../kibana-plugin-public.toastsapi.get_.md    |  34 +-
 .../public/kibana-plugin-public.toastsapi.md  |  64 +--
 .../kibana-plugin-public.toastsapi.remove.md  |  48 +-
 .../kibana-plugin-public.toastssetup.md       |  26 +-
 .../kibana-plugin-public.toastsstart.md       |  26 +-
 ...plugin-public.uisettingsparams.category.md |  26 +-
 ...gin-public.uisettingsparams.deprecation.md |  26 +-
 ...gin-public.uisettingsparams.description.md |  26 +-
 .../kibana-plugin-public.uisettingsparams.md  |  60 +--
 ...ana-plugin-public.uisettingsparams.name.md |  26 +-
 ...in-public.uisettingsparams.optionlabels.md |  26 +-
 ...-plugin-public.uisettingsparams.options.md |  26 +-
 ...plugin-public.uisettingsparams.readonly.md |  26 +-
 ...lic.uisettingsparams.requirespagereload.md |  26 +-
 ...ana-plugin-public.uisettingsparams.type.md |  26 +-
 ...ugin-public.uisettingsparams.validation.md |  22 +-
 ...na-plugin-public.uisettingsparams.value.md |  26 +-
 .../kibana-plugin-public.uisettingsstate.md   |  24 +-
 .../kibana-plugin-public.uisettingstype.md    |  26 +-
 .../kibana-plugin-public.unmountcallback.md   |  26 +-
 ...-public.userprovidedvalues.isoverridden.md |  22 +-
 ...kibana-plugin-public.userprovidedvalues.md |  42 +-
 ...gin-public.userprovidedvalues.uservalue.md |  22 +-
 docs/development/core/server/index.md         |  24 +-
 .../server/kibana-plugin-server.apicaller.md  |  24 +-
 ...in-server.assistanceapiresponse.indices.md |  30 +-
 ...ana-plugin-server.assistanceapiresponse.md |  38 +-
 ...-plugin-server.assistantapiclientparams.md |  40 +-
 ...-server.assistantapiclientparams.method.md |  22 +-
 ...in-server.assistantapiclientparams.path.md |  22 +-
 .../kibana-plugin-server.authenticated.md     |  38 +-
 ...kibana-plugin-server.authenticated.type.md |  22 +-
 ...ana-plugin-server.authenticationhandler.md |  26 +-
 .../kibana-plugin-server.authheaders.md       |  26 +-
 .../server/kibana-plugin-server.authresult.md |  24 +-
 .../kibana-plugin-server.authresultparams.md  |  44 +-
 ...-server.authresultparams.requestheaders.md |  26 +-
 ...server.authresultparams.responseheaders.md |  26 +-
 ...na-plugin-server.authresultparams.state.md |  26 +-
 .../kibana-plugin-server.authresulttype.md    |  38 +-
 .../server/kibana-plugin-server.authstatus.md |  44 +-
 ...plugin-server.authtoolkit.authenticated.md |  26 +-
 .../kibana-plugin-server.authtoolkit.md       |  40 +-
 .../kibana-plugin-server.basepath.get.md      |  26 +-
 .../server/kibana-plugin-server.basepath.md   |  56 +--
 .../kibana-plugin-server.basepath.prepend.md  |  26 +-
 .../kibana-plugin-server.basepath.remove.md   |  26 +-
 ...a-plugin-server.basepath.serverbasepath.md |  30 +-
 .../kibana-plugin-server.basepath.set.md      |  26 +-
 .../kibana-plugin-server.callapioptions.md    |  42 +-
 ...ana-plugin-server.callapioptions.signal.md |  26 +-
 ...gin-server.callapioptions.wrap401errors.md |  26 +-
 ...na-plugin-server.capabilities.catalogue.md |  26 +-
 ...a-plugin-server.capabilities.management.md |  30 +-
 .../kibana-plugin-server.capabilities.md      |  44 +-
 ...ana-plugin-server.capabilities.navlinks.md |  26 +-
 ...bana-plugin-server.capabilitiesprovider.md |  26 +-
 .../kibana-plugin-server.capabilitiessetup.md |  54 +--
 ...rver.capabilitiessetup.registerprovider.md |  92 ++--
 ...rver.capabilitiessetup.registerswitcher.md |  94 ++--
 .../kibana-plugin-server.capabilitiesstart.md |  40 +-
 ...r.capabilitiesstart.resolvecapabilities.md |  48 +-
 ...bana-plugin-server.capabilitiesswitcher.md |  26 +-
 ...ugin-server.clusterclient._constructor_.md |  44 +-
 ...na-plugin-server.clusterclient.asscoped.md |  48 +-
 ...server.clusterclient.callasinternaluser.md |  26 +-
 ...ibana-plugin-server.clusterclient.close.md |  34 +-
 .../kibana-plugin-server.clusterclient.md     |  70 +--
 .../kibana-plugin-server.configdeprecation.md |  36 +-
 ...-plugin-server.configdeprecationfactory.md |  72 +--
 ...-server.configdeprecationfactory.rename.md |  72 +--
 ...configdeprecationfactory.renamefromroot.md |  76 +--
 ...-server.configdeprecationfactory.unused.md |  70 +--
 ...configdeprecationfactory.unusedfromroot.md |  74 +--
 ...a-plugin-server.configdeprecationlogger.md |  26 +-
 ...plugin-server.configdeprecationprovider.md |  56 +--
 .../server/kibana-plugin-server.configpath.md |  24 +-
 ...ver.contextsetup.createcontextcontainer.md |  34 +-
 .../kibana-plugin-server.contextsetup.md      | 276 +++++------
 ...na-plugin-server.coresetup.capabilities.md |  26 +-
 .../kibana-plugin-server.coresetup.context.md |  26 +-
 ...a-plugin-server.coresetup.elasticsearch.md |  26 +-
 ...lugin-server.coresetup.getstartservices.md |  34 +-
 .../kibana-plugin-server.coresetup.http.md    |  26 +-
 .../server/kibana-plugin-server.coresetup.md  |  64 +--
 ...na-plugin-server.coresetup.savedobjects.md |  26 +-
 ...bana-plugin-server.coresetup.uisettings.md |  26 +-
 .../kibana-plugin-server.coresetup.uuid.md    |  26 +-
 ...na-plugin-server.corestart.capabilities.md |  26 +-
 .../server/kibana-plugin-server.corestart.md  |  44 +-
 ...na-plugin-server.corestart.savedobjects.md |  26 +-
 ...bana-plugin-server.corestart.uisettings.md |  26 +-
 .../kibana-plugin-server.cspconfig.default.md |  22 +-
 .../kibana-plugin-server.cspconfig.header.md  |  22 +-
 .../server/kibana-plugin-server.cspconfig.md  |  56 +--
 .../kibana-plugin-server.cspconfig.rules.md   |  22 +-
 .../kibana-plugin-server.cspconfig.strict.md  |  22 +-
 ...gin-server.cspconfig.warnlegacybrowsers.md |  22 +-
 ...n-server.customhttpresponseoptions.body.md |  26 +-
 ...erver.customhttpresponseoptions.headers.md |  26 +-
 ...plugin-server.customhttpresponseoptions.md |  44 +-
 ...er.customhttpresponseoptions.statuscode.md |  22 +-
 ...lugin-server.deprecationapiclientparams.md |  40 +-
 ...erver.deprecationapiclientparams.method.md |  22 +-
 ...-server.deprecationapiclientparams.path.md |  22 +-
 ...deprecationapiresponse.cluster_settings.md |  22 +-
 ...r.deprecationapiresponse.index_settings.md |  22 +-
 ...na-plugin-server.deprecationapiresponse.md |  44 +-
 ...rver.deprecationapiresponse.ml_settings.md |  22 +-
 ...er.deprecationapiresponse.node_settings.md |  22 +-
 ...a-plugin-server.deprecationinfo.details.md |  22 +-
 ...ana-plugin-server.deprecationinfo.level.md |  22 +-
 .../kibana-plugin-server.deprecationinfo.md   |  44 +-
 ...a-plugin-server.deprecationinfo.message.md |  22 +-
 ...ibana-plugin-server.deprecationinfo.url.md |  22 +-
 ...-server.deprecationsettings.doclinkskey.md |  26 +-
 ...ibana-plugin-server.deprecationsettings.md |  42 +-
 ...ugin-server.deprecationsettings.message.md |  26 +-
 ...ugin-server.discoveredplugin.configpath.md |  26 +-
 ...ibana-plugin-server.discoveredplugin.id.md |  26 +-
 .../kibana-plugin-server.discoveredplugin.md  |  46 +-
 ...server.discoveredplugin.optionalplugins.md |  26 +-
 ...server.discoveredplugin.requiredplugins.md |  26 +-
 ...plugin-server.elasticsearchclientconfig.md |  34 +-
 ...plugin-server.elasticsearcherror._code_.md |  22 +-
 ...kibana-plugin-server.elasticsearcherror.md |  38 +-
 ...errorhelpers.decoratenotauthorizederror.md |  46 +-
 ...searcherrorhelpers.isnotauthorizederror.md |  44 +-
 ...plugin-server.elasticsearcherrorhelpers.md |  70 +--
 ...r.elasticsearchservicesetup.adminclient.md |  44 +-
 ....elasticsearchservicesetup.createclient.md |  46 +-
 ...er.elasticsearchservicesetup.dataclient.md |  44 +-
 ...plugin-server.elasticsearchservicesetup.md |  42 +-
 ...ibana-plugin-server.environmentmode.dev.md |  22 +-
 .../kibana-plugin-server.environmentmode.md   |  42 +-
 ...bana-plugin-server.environmentmode.name.md |  22 +-
 ...bana-plugin-server.environmentmode.prod.md |  22 +-
 ...in-server.errorhttpresponseoptions.body.md |  26 +-
 ...server.errorhttpresponseoptions.headers.md |  26 +-
 ...-plugin-server.errorhttpresponseoptions.md |  42 +-
 ...ibana-plugin-server.fakerequest.headers.md |  26 +-
 .../kibana-plugin-server.fakerequest.md       |  40 +-
 .../kibana-plugin-server.getauthheaders.md    |  26 +-
 .../kibana-plugin-server.getauthstate.md      |  32 +-
 ...kibana-plugin-server.handlercontexttype.md |  26 +-
 .../kibana-plugin-server.handlerfunction.md   |  26 +-
 .../kibana-plugin-server.handlerparameters.md |  26 +-
 .../server/kibana-plugin-server.headers.md    |  34 +-
 ...-plugin-server.httpresponseoptions.body.md |  26 +-
 ...ugin-server.httpresponseoptions.headers.md |  26 +-
 ...ibana-plugin-server.httpresponseoptions.md |  42 +-
 ...ibana-plugin-server.httpresponsepayload.md |  26 +-
 ...ana-plugin-server.httpservicesetup.auth.md |  28 +-
 ...plugin-server.httpservicesetup.basepath.md |  26 +-
 ...setup.createcookiesessionstoragefactory.md |  26 +-
 ...in-server.httpservicesetup.createrouter.md |  56 +--
 ...bana-plugin-server.httpservicesetup.csp.md |  26 +-
 ...in-server.httpservicesetup.istlsenabled.md |  26 +-
 .../kibana-plugin-server.httpservicesetup.md  | 190 ++++----
 ...in-server.httpservicesetup.registerauth.md |  36 +-
 ...ver.httpservicesetup.registeronpostauth.md |  36 +-
 ...rver.httpservicesetup.registeronpreauth.md |  36 +-
 ....httpservicesetup.registeronpreresponse.md |  36 +-
 ...ervicesetup.registerroutehandlercontext.md |  74 +--
 ...gin-server.httpservicestart.islistening.md |  26 +-
 .../kibana-plugin-server.httpservicestart.md  |  38 +-
 .../server/kibana-plugin-server.ibasepath.md  |  30 +-
 .../kibana-plugin-server.iclusterclient.md    |  30 +-
 ...-server.icontextcontainer.createhandler.md |  54 +--
 .../kibana-plugin-server.icontextcontainer.md | 160 +++---
 ...erver.icontextcontainer.registercontext.md |  68 +--
 .../kibana-plugin-server.icontextprovider.md  |  36 +-
 .../kibana-plugin-server.icspconfig.header.md |  26 +-
 .../server/kibana-plugin-server.icspconfig.md |  46 +-
 .../kibana-plugin-server.icspconfig.rules.md  |  26 +-
 .../kibana-plugin-server.icspconfig.strict.md |  26 +-
 ...in-server.icspconfig.warnlegacybrowsers.md |  26 +-
 ...bana-plugin-server.icustomclusterclient.md |  30 +-
 .../kibana-plugin-server.ikibanaresponse.md   |  44 +-
 ...a-plugin-server.ikibanaresponse.options.md |  22 +-
 ...a-plugin-server.ikibanaresponse.payload.md |  22 +-
 ...na-plugin-server.ikibanaresponse.status.md |  22 +-
 ...server.ikibanasocket.authorizationerror.md |  26 +-
 ...-plugin-server.ikibanasocket.authorized.md |  26 +-
 ...server.ikibanasocket.getpeercertificate.md |  44 +-
 ...rver.ikibanasocket.getpeercertificate_1.md |  44 +-
 ...rver.ikibanasocket.getpeercertificate_2.md |  52 +-
 .../kibana-plugin-server.ikibanasocket.md     |  58 +--
 ...a-plugin-server.imagevalidation.maxsize.md |  28 +-
 .../kibana-plugin-server.imagevalidation.md   |  38 +-
 ...gin-server.indexsettingsdeprecationinfo.md |  24 +-
 ...rver.irenderoptions.includeusersettings.md |  26 +-
 .../kibana-plugin-server.irenderoptions.md    |  38 +-
 .../kibana-plugin-server.irouter.delete.md    |  26 +-
 .../kibana-plugin-server.irouter.get.md       |  26 +-
 ...lugin-server.irouter.handlelegacyerrors.md |  26 +-
 .../server/kibana-plugin-server.irouter.md    |  52 +-
 .../kibana-plugin-server.irouter.patch.md     |  26 +-
 .../kibana-plugin-server.irouter.post.md      |  26 +-
 .../kibana-plugin-server.irouter.put.md       |  26 +-
 ...kibana-plugin-server.irouter.routerpath.md |  26 +-
 .../kibana-plugin-server.isauthenticated.md   |  26 +-
 ...a-plugin-server.isavedobjectsrepository.md |  26 +-
 ...bana-plugin-server.iscopedclusterclient.md |  30 +-
 ...na-plugin-server.iscopedrenderingclient.md |  38 +-
 ...in-server.iscopedrenderingclient.render.md |  82 ++--
 ...ana-plugin-server.iuisettingsclient.get.md |  26 +-
 ...-plugin-server.iuisettingsclient.getall.md |  26 +-
 ...-server.iuisettingsclient.getregistered.md |  26 +-
 ...erver.iuisettingsclient.getuserprovided.md |  26 +-
 ...n-server.iuisettingsclient.isoverridden.md |  26 +-
 .../kibana-plugin-server.iuisettingsclient.md |  56 +--
 ...-plugin-server.iuisettingsclient.remove.md |  26 +-
 ...gin-server.iuisettingsclient.removemany.md |  26 +-
 ...ana-plugin-server.iuisettingsclient.set.md |  26 +-
 ...plugin-server.iuisettingsclient.setmany.md |  26 +-
 ...ugin-server.kibanarequest._constructor_.md |  48 +-
 ...kibana-plugin-server.kibanarequest.body.md |  22 +-
 ...bana-plugin-server.kibanarequest.events.md |  26 +-
 ...ana-plugin-server.kibanarequest.headers.md |  36 +-
 ...in-server.kibanarequest.issystemrequest.md |  26 +-
 .../kibana-plugin-server.kibanarequest.md     |  68 +--
 ...bana-plugin-server.kibanarequest.params.md |  22 +-
 ...ibana-plugin-server.kibanarequest.query.md |  22 +-
 ...ibana-plugin-server.kibanarequest.route.md |  26 +-
 ...bana-plugin-server.kibanarequest.socket.md |  26 +-
 .../kibana-plugin-server.kibanarequest.url.md |  26 +-
 ...gin-server.kibanarequestevents.aborted_.md |  26 +-
 ...ibana-plugin-server.kibanarequestevents.md |  40 +-
 ...kibana-plugin-server.kibanarequestroute.md |  44 +-
 ...plugin-server.kibanarequestroute.method.md |  22 +-
 ...lugin-server.kibanarequestroute.options.md |  22 +-
 ...a-plugin-server.kibanarequestroute.path.md |  22 +-
 ...plugin-server.kibanarequestrouteoptions.md |  26 +-
 ...ana-plugin-server.kibanaresponsefactory.md | 236 ++++-----
 .../kibana-plugin-server.knownheaders.md      |  26 +-
 .../kibana-plugin-server.legacyrequest.md     |  32 +-
 ...ugin-server.legacyservicesetupdeps.core.md |  22 +-
 ...na-plugin-server.legacyservicesetupdeps.md |  46 +-
 ...n-server.legacyservicesetupdeps.plugins.md |  22 +-
 ...ugin-server.legacyservicestartdeps.core.md |  22 +-
 ...na-plugin-server.legacyservicestartdeps.md |  46 +-
 ...n-server.legacyservicestartdeps.plugins.md |  22 +-
 ...-plugin-server.lifecycleresponsefactory.md |  26 +-
 .../kibana-plugin-server.logger.debug.md      |  50 +-
 .../kibana-plugin-server.logger.error.md      |  50 +-
 .../kibana-plugin-server.logger.fatal.md      |  50 +-
 .../server/kibana-plugin-server.logger.get.md |  66 +--
 .../kibana-plugin-server.logger.info.md       |  50 +-
 .../server/kibana-plugin-server.logger.md     |  52 +-
 .../kibana-plugin-server.logger.trace.md      |  50 +-
 .../kibana-plugin-server.logger.warn.md       |  50 +-
 .../kibana-plugin-server.loggerfactory.get.md |  48 +-
 .../kibana-plugin-server.loggerfactory.md     |  40 +-
 .../server/kibana-plugin-server.logmeta.md    |  26 +-
 .../core/server/kibana-plugin-server.md       | 456 +++++++++---------
 ...erver.migration_assistance_index_action.md |  24 +-
 ...ugin-server.migration_deprecation_level.md |  24 +-
 ...-server.mutatingoperationrefreshsetting.md |  26 +-
 .../kibana-plugin-server.onpostauthhandler.md |  26 +-
 .../kibana-plugin-server.onpostauthtoolkit.md |  40 +-
 ...na-plugin-server.onpostauthtoolkit.next.md |  26 +-
 .../kibana-plugin-server.onpreauthhandler.md  |  26 +-
 .../kibana-plugin-server.onpreauthtoolkit.md  |  42 +-
 ...ana-plugin-server.onpreauthtoolkit.next.md |  26 +-
 ...ugin-server.onpreauthtoolkit.rewriteurl.md |  26 +-
 ...-server.onpreresponseextensions.headers.md |  26 +-
 ...a-plugin-server.onpreresponseextensions.md |  40 +-
 ...bana-plugin-server.onpreresponsehandler.md |  26 +-
 .../kibana-plugin-server.onpreresponseinfo.md |  40 +-
 ...gin-server.onpreresponseinfo.statuscode.md |  22 +-
 ...bana-plugin-server.onpreresponsetoolkit.md |  40 +-
 ...plugin-server.onpreresponsetoolkit.next.md |  26 +-
 ...kibana-plugin-server.packageinfo.branch.md |  22 +-
 ...bana-plugin-server.packageinfo.buildnum.md |  22 +-
 ...bana-plugin-server.packageinfo.buildsha.md |  22 +-
 .../kibana-plugin-server.packageinfo.dist.md  |  22 +-
 .../kibana-plugin-server.packageinfo.md       |  46 +-
 ...ibana-plugin-server.packageinfo.version.md |  22 +-
 .../server/kibana-plugin-server.plugin.md     |  44 +-
 .../kibana-plugin-server.plugin.setup.md      |  46 +-
 .../kibana-plugin-server.plugin.start.md      |  46 +-
 .../kibana-plugin-server.plugin.stop.md       |  30 +-
 ...ver.pluginconfigdescriptor.deprecations.md |  26 +-
 ....pluginconfigdescriptor.exposetobrowser.md |  30 +-
 ...na-plugin-server.pluginconfigdescriptor.md | 100 ++--
 ...in-server.pluginconfigdescriptor.schema.md |  30 +-
 ...kibana-plugin-server.pluginconfigschema.md |  26 +-
 .../kibana-plugin-server.plugininitializer.md |  26 +-
 ...-server.plugininitializercontext.config.md |  34 +-
 ...gin-server.plugininitializercontext.env.md |  28 +-
 ...-server.plugininitializercontext.logger.md |  22 +-
 ...-plugin-server.plugininitializercontext.md |  46 +-
 ...erver.plugininitializercontext.opaqueid.md |  22 +-
 ...plugin-server.pluginmanifest.configpath.md |  36 +-
 .../kibana-plugin-server.pluginmanifest.id.md |  26 +-
 ...gin-server.pluginmanifest.kibanaversion.md |  26 +-
 .../kibana-plugin-server.pluginmanifest.md    |  62 +--
 ...n-server.pluginmanifest.optionalplugins.md |  26 +-
 ...n-server.pluginmanifest.requiredplugins.md |  26 +-
 ...ana-plugin-server.pluginmanifest.server.md |  26 +-
 .../kibana-plugin-server.pluginmanifest.ui.md |  26 +-
 ...na-plugin-server.pluginmanifest.version.md |  26 +-
 .../server/kibana-plugin-server.pluginname.md |  26 +-
 .../kibana-plugin-server.pluginopaqueid.md    |  24 +-
 ...in-server.pluginsservicesetup.contracts.md |  22 +-
 ...ibana-plugin-server.pluginsservicesetup.md |  40 +-
 ...in-server.pluginsservicesetup.uiplugins.md |  30 +-
 ...in-server.pluginsservicestart.contracts.md |  22 +-
 ...ibana-plugin-server.pluginsservicestart.md |  38 +-
 .../kibana-plugin-server.recursivereadonly.md |  28 +-
 ...a-plugin-server.redirectresponseoptions.md |  34 +-
 .../kibana-plugin-server.requesthandler.md    |  84 ++--
 ...lugin-server.requesthandlercontext.core.md |  46 +-
 ...ana-plugin-server.requesthandlercontext.md |  44 +-
 ...n-server.requesthandlercontextcontainer.md |  26 +-
 ...in-server.requesthandlercontextprovider.md |  26 +-
 .../kibana-plugin-server.responseerror.md     |  32 +-
 ...a-plugin-server.responseerrorattributes.md |  26 +-
 .../kibana-plugin-server.responseheaders.md   |  34 +-
 .../kibana-plugin-server.routeconfig.md       |  44 +-
 ...ibana-plugin-server.routeconfig.options.md |  26 +-
 .../kibana-plugin-server.routeconfig.path.md  |  36 +-
 ...bana-plugin-server.routeconfig.validate.md | 124 ++---
 ...-server.routeconfigoptions.authrequired.md |  30 +-
 ...a-plugin-server.routeconfigoptions.body.md |  26 +-
 ...kibana-plugin-server.routeconfigoptions.md |  44 +-
 ...a-plugin-server.routeconfigoptions.tags.md |  26 +-
 ...n-server.routeconfigoptionsbody.accepts.md |  30 +-
 ...-server.routeconfigoptionsbody.maxbytes.md |  30 +-
 ...na-plugin-server.routeconfigoptionsbody.md |  46 +-
 ...in-server.routeconfigoptionsbody.output.md |  30 +-
 ...gin-server.routeconfigoptionsbody.parse.md |  30 +-
 .../kibana-plugin-server.routecontenttype.md  |  26 +-
 .../kibana-plugin-server.routemethod.md       |  26 +-
 .../kibana-plugin-server.routeregistrar.md    |  26 +-
 ...rver.routevalidationerror._constructor_.md |  42 +-
 ...bana-plugin-server.routevalidationerror.md |  40 +-
 ...a-plugin-server.routevalidationfunction.md |  84 ++--
 ...routevalidationresultfactory.badrequest.md |  26 +-
 ...gin-server.routevalidationresultfactory.md |  46 +-
 ...-server.routevalidationresultfactory.ok.md |  26 +-
 ...ibana-plugin-server.routevalidationspec.md |  30 +-
 ...plugin-server.routevalidatorconfig.body.md |  26 +-
 ...bana-plugin-server.routevalidatorconfig.md |  44 +-
 ...ugin-server.routevalidatorconfig.params.md |  26 +-
 ...lugin-server.routevalidatorconfig.query.md |  26 +-
 ...-plugin-server.routevalidatorfullconfig.md |  26 +-
 ...ana-plugin-server.routevalidatoroptions.md |  40 +-
 ...gin-server.routevalidatoroptions.unsafe.md |  34 +-
 ...na-plugin-server.savedobject.attributes.md |  26 +-
 .../kibana-plugin-server.savedobject.error.md |  28 +-
 .../kibana-plugin-server.savedobject.id.md    |  26 +-
 .../kibana-plugin-server.savedobject.md       |  52 +-
 ...gin-server.savedobject.migrationversion.md |  26 +-
 ...na-plugin-server.savedobject.references.md |  26 +-
 .../kibana-plugin-server.savedobject.type.md  |  26 +-
 ...na-plugin-server.savedobject.updated_at.md |  26 +-
 ...ibana-plugin-server.savedobject.version.md |  26 +-
 ...bana-plugin-server.savedobjectattribute.md |  26 +-
 ...ana-plugin-server.savedobjectattributes.md |  26 +-
 ...lugin-server.savedobjectattributesingle.md |  26 +-
 ...a-plugin-server.savedobjectreference.id.md |  22 +-
 ...bana-plugin-server.savedobjectreference.md |  44 +-
 ...plugin-server.savedobjectreference.name.md |  22 +-
 ...plugin-server.savedobjectreference.type.md |  22 +-
 ...a-plugin-server.savedobjectsbaseoptions.md |  38 +-
 ...erver.savedobjectsbaseoptions.namespace.md |  26 +-
 ...savedobjectsbulkcreateobject.attributes.md |  22 +-
 ...-server.savedobjectsbulkcreateobject.id.md |  22 +-
 ...gin-server.savedobjectsbulkcreateobject.md |  46 +-
 ...bjectsbulkcreateobject.migrationversion.md |  26 +-
 ...savedobjectsbulkcreateobject.references.md |  22 +-
 ...erver.savedobjectsbulkcreateobject.type.md |  22 +-
 ...server.savedobjectsbulkgetobject.fields.md |  26 +-
 ...gin-server.savedobjectsbulkgetobject.id.md |  22 +-
 ...plugin-server.savedobjectsbulkgetobject.md |  42 +-
 ...n-server.savedobjectsbulkgetobject.type.md |  22 +-
 ...-plugin-server.savedobjectsbulkresponse.md |  38 +-
 ....savedobjectsbulkresponse.saved_objects.md |  22 +-
 ...savedobjectsbulkupdateobject.attributes.md |  26 +-
 ...-server.savedobjectsbulkupdateobject.id.md |  26 +-
 ...gin-server.savedobjectsbulkupdateobject.md |  42 +-
 ...erver.savedobjectsbulkupdateobject.type.md |  26 +-
 ...in-server.savedobjectsbulkupdateoptions.md |  38 +-
 ...r.savedobjectsbulkupdateoptions.refresh.md |  26 +-
 ...n-server.savedobjectsbulkupdateresponse.md |  38 +-
 ...objectsbulkupdateresponse.saved_objects.md |  22 +-
 ...in-server.savedobjectsclient.bulkcreate.md |  50 +-
 ...lugin-server.savedobjectsclient.bulkget.md |  58 +--
 ...in-server.savedobjectsclient.bulkupdate.md |  50 +-
 ...plugin-server.savedobjectsclient.create.md |  52 +-
 ...plugin-server.savedobjectsclient.delete.md |  52 +-
 ...plugin-server.savedobjectsclient.errors.md |  22 +-
 ...a-plugin-server.savedobjectsclient.find.md |  48 +-
 ...na-plugin-server.savedobjectsclient.get.md |  52 +-
 ...kibana-plugin-server.savedobjectsclient.md |  72 +--
 ...plugin-server.savedobjectsclient.update.md |  54 +--
 ...lugin-server.savedobjectsclientcontract.md |  86 ++--
 ...plugin-server.savedobjectsclientfactory.md |  30 +-
 ...erver.savedobjectsclientfactoryprovider.md |  26 +-
 ...sclientprovideroptions.excludedwrappers.md |  22 +-
 ...erver.savedobjectsclientprovideroptions.md |  40 +-
 ...server.savedobjectsclientwrapperfactory.md |  26 +-
 ...savedobjectsclientwrapperoptions.client.md |  22 +-
 ...server.savedobjectsclientwrapperoptions.md |  42 +-
 ...avedobjectsclientwrapperoptions.request.md |  22 +-
 ...gin-server.savedobjectscreateoptions.id.md |  26 +-
 ...plugin-server.savedobjectscreateoptions.md |  46 +-
 ...edobjectscreateoptions.migrationversion.md |  26 +-
 ...ver.savedobjectscreateoptions.overwrite.md |  26 +-
 ...er.savedobjectscreateoptions.references.md |  22 +-
 ...erver.savedobjectscreateoptions.refresh.md |  26 +-
 ...er.savedobjectsdeletebynamespaceoptions.md |  38 +-
 ...objectsdeletebynamespaceoptions.refresh.md |  26 +-
 ...plugin-server.savedobjectsdeleteoptions.md |  38 +-
 ...erver.savedobjectsdeleteoptions.refresh.md |  26 +-
 ...jectserrorhelpers.createbadrequesterror.md |  44 +-
 ...rorhelpers.createesautocreateindexerror.md |  30 +-
 ...errorhelpers.creategenericnotfounderror.md |  46 +-
 ...serrorhelpers.createinvalidversionerror.md |  44 +-
 ...errorhelpers.createunsupportedtypeerror.md |  44 +-
 ...ctserrorhelpers.decoratebadrequesterror.md |  46 +-
 ...jectserrorhelpers.decorateconflicterror.md |  46 +-
 ...errorhelpers.decorateesunavailableerror.md |  46 +-
 ...ectserrorhelpers.decorateforbiddenerror.md |  46 +-
 ...bjectserrorhelpers.decorategeneralerror.md |  46 +-
 ...errorhelpers.decoratenotauthorizederror.md |  46 +-
 ...pers.decoraterequestentitytoolargeerror.md |  46 +-
 ...edobjectserrorhelpers.isbadrequesterror.md |  44 +-
 ...avedobjectserrorhelpers.isconflicterror.md |  44 +-
 ...tserrorhelpers.isesautocreateindexerror.md |  44 +-
 ...bjectserrorhelpers.isesunavailableerror.md |  44 +-
 ...vedobjectserrorhelpers.isforbiddenerror.md |  44 +-
 ...jectserrorhelpers.isinvalidversionerror.md |  44 +-
 ...bjectserrorhelpers.isnotauthorizederror.md |  44 +-
 ...avedobjectserrorhelpers.isnotfounderror.md |  44 +-
 ...rorhelpers.isrequestentitytoolargeerror.md |  44 +-
 ...serrorhelpers.issavedobjectsclienterror.md |  44 +-
 ...-plugin-server.savedobjectserrorhelpers.md |  80 +--
 ...jectsexportoptions.excludeexportdetails.md |  26 +-
 ...vedobjectsexportoptions.exportsizelimit.md |  26 +-
 ...ectsexportoptions.includereferencesdeep.md |  26 +-
 ...plugin-server.savedobjectsexportoptions.md |  54 +--
 ...ver.savedobjectsexportoptions.namespace.md |  26 +-
 ...erver.savedobjectsexportoptions.objects.md |  32 +-
 ...objectsexportoptions.savedobjectsclient.md |  26 +-
 ...server.savedobjectsexportoptions.search.md |  26 +-
 ...-server.savedobjectsexportoptions.types.md |  26 +-
 ...bjectsexportresultdetails.exportedcount.md |  26 +-
 ...-server.savedobjectsexportresultdetails.md |  44 +-
 ...ectsexportresultdetails.missingrefcount.md |  26 +-
 ...tsexportresultdetails.missingreferences.md |  32 +-
 ...bjectsfindoptions.defaultsearchoperator.md |  22 +-
 ...n-server.savedobjectsfindoptions.fields.md |  36 +-
 ...n-server.savedobjectsfindoptions.filter.md |  22 +-
 ...er.savedobjectsfindoptions.hasreference.md |  28 +-
 ...a-plugin-server.savedobjectsfindoptions.md |  58 +--
 ...gin-server.savedobjectsfindoptions.page.md |  22 +-
 ...-server.savedobjectsfindoptions.perpage.md |  22 +-
 ...n-server.savedobjectsfindoptions.search.md |  26 +-
 ...er.savedobjectsfindoptions.searchfields.md |  26 +-
 ...erver.savedobjectsfindoptions.sortfield.md |  22 +-
 ...erver.savedobjectsfindoptions.sortorder.md |  22 +-
 ...gin-server.savedobjectsfindoptions.type.md |  22 +-
 ...-plugin-server.savedobjectsfindresponse.md |  50 +-
 ...in-server.savedobjectsfindresponse.page.md |  22 +-
 ...erver.savedobjectsfindresponse.per_page.md |  22 +-
 ....savedobjectsfindresponse.saved_objects.md |  22 +-
 ...n-server.savedobjectsfindresponse.total.md |  22 +-
 ...-server.savedobjectsimportconflicterror.md |  40 +-
 ...er.savedobjectsimportconflicterror.type.md |  22 +-
 ...in-server.savedobjectsimporterror.error.md |  22 +-
 ...lugin-server.savedobjectsimporterror.id.md |  22 +-
 ...a-plugin-server.savedobjectsimporterror.md |  46 +-
 ...in-server.savedobjectsimporterror.title.md |  22 +-
 ...gin-server.savedobjectsimporterror.type.md |  22 +-
 ...tsimportmissingreferenceserror.blocking.md |  28 +-
 ...avedobjectsimportmissingreferenceserror.md |  44 +-
 ...importmissingreferenceserror.references.md |  28 +-
 ...bjectsimportmissingreferenceserror.type.md |  22 +-
 ...plugin-server.savedobjectsimportoptions.md |  50 +-
 ...ver.savedobjectsimportoptions.namespace.md |  22 +-
 ...r.savedobjectsimportoptions.objectlimit.md |  22 +-
 ...ver.savedobjectsimportoptions.overwrite.md |  22 +-
 ...er.savedobjectsimportoptions.readstream.md |  22 +-
 ...objectsimportoptions.savedobjectsclient.md |  22 +-
 ...avedobjectsimportoptions.supportedtypes.md |  22 +-
 ...erver.savedobjectsimportresponse.errors.md |  22 +-
 ...lugin-server.savedobjectsimportresponse.md |  44 +-
 ...rver.savedobjectsimportresponse.success.md |  22 +-
 ...savedobjectsimportresponse.successcount.md |  22 +-
 ...lugin-server.savedobjectsimportretry.id.md |  22 +-
 ...a-plugin-server.savedobjectsimportretry.md |  46 +-
 ...erver.savedobjectsimportretry.overwrite.md |  22 +-
 ...vedobjectsimportretry.replacereferences.md |  30 +-
 ...gin-server.savedobjectsimportretry.type.md |  22 +-
 ...n-server.savedobjectsimportunknownerror.md |  44 +-
 ....savedobjectsimportunknownerror.message.md |  22 +-
 ...vedobjectsimportunknownerror.statuscode.md |  22 +-
 ...ver.savedobjectsimportunknownerror.type.md |  22 +-
 ....savedobjectsimportunsupportedtypeerror.md |  40 +-
 ...dobjectsimportunsupportedtypeerror.type.md |  22 +-
 ...ver.savedobjectsincrementcounteroptions.md |  40 +-
 ...ncrementcounteroptions.migrationversion.md |  22 +-
 ...dobjectsincrementcounteroptions.refresh.md |  26 +-
 ...erver.savedobjectsmigrationlogger.debug.md |  22 +-
 ...server.savedobjectsmigrationlogger.info.md |  22 +-
 ...ugin-server.savedobjectsmigrationlogger.md |  42 +-
 ...ver.savedobjectsmigrationlogger.warning.md |  22 +-
 ...gin-server.savedobjectsmigrationversion.md |  36 +-
 ...na-plugin-server.savedobjectsrawdoc._id.md |  22 +-
 ...server.savedobjectsrawdoc._primary_term.md |  22 +-
 ...lugin-server.savedobjectsrawdoc._seq_no.md |  22 +-
 ...lugin-server.savedobjectsrawdoc._source.md |  22 +-
 ...-plugin-server.savedobjectsrawdoc._type.md |  22 +-
 ...kibana-plugin-server.savedobjectsrawdoc.md |  48 +-
 ...erver.savedobjectsrepository.bulkcreate.md |  54 +--
 ...n-server.savedobjectsrepository.bulkget.md |  62 +--
 ...erver.savedobjectsrepository.bulkupdate.md |  54 +--
 ...in-server.savedobjectsrepository.create.md |  56 +--
 ...in-server.savedobjectsrepository.delete.md |  56 +--
 ...avedobjectsrepository.deletebynamespace.md |  54 +--
 ...ugin-server.savedobjectsrepository.find.md |  48 +-
 ...lugin-server.savedobjectsrepository.get.md |  56 +--
 ...savedobjectsrepository.incrementcounter.md |  86 ++--
 ...na-plugin-server.savedobjectsrepository.md |  56 +--
 ...in-server.savedobjectsrepository.update.md |  58 +--
 ...ositoryfactory.createinternalrepository.md |  26 +-
 ...epositoryfactory.createscopedrepository.md |  26 +-
 ...in-server.savedobjectsrepositoryfactory.md |  42 +-
 ....savedobjectsresolveimporterrorsoptions.md |  50 +-
 ...ctsresolveimporterrorsoptions.namespace.md |  22 +-
 ...sresolveimporterrorsoptions.objectlimit.md |  22 +-
 ...tsresolveimporterrorsoptions.readstream.md |  22 +-
 ...jectsresolveimporterrorsoptions.retries.md |  22 +-
 ...eimporterrorsoptions.savedobjectsclient.md |  22 +-
 ...solveimporterrorsoptions.supportedtypes.md |  22 +-
 ...vedobjectsservicesetup.addclientwrapper.md |  26 +-
 ...-plugin-server.savedobjectsservicesetup.md |  66 +--
 ...tsservicesetup.setclientfactoryprovider.md |  26 +-
 ...tsservicestart.createinternalrepository.md |  26 +-
 ...ectsservicestart.createscopedrepository.md |  36 +-
 ...avedobjectsservicestart.getscopedclient.md |  30 +-
 ...-plugin-server.savedobjectsservicestart.md |  44 +-
 ...plugin-server.savedobjectsupdateoptions.md |  42 +-
 ...er.savedobjectsupdateoptions.references.md |  26 +-
 ...erver.savedobjectsupdateoptions.refresh.md |  26 +-
 ...erver.savedobjectsupdateoptions.version.md |  26 +-
 ...r.savedobjectsupdateresponse.attributes.md |  22 +-
 ...lugin-server.savedobjectsupdateresponse.md |  40 +-
 ...r.savedobjectsupdateresponse.references.md |  22 +-
 .../kibana-plugin-server.scopeablerequest.md  |  30 +-
 ...erver.scopedclusterclient._constructor_.md |  44 +-
 ...r.scopedclusterclient.callascurrentuser.md |  52 +-
 ....scopedclusterclient.callasinternaluser.md |  52 +-
 ...ibana-plugin-server.scopedclusterclient.md |  58 +--
 ...r.sessioncookievalidationresult.isvalid.md |  26 +-
 ...in-server.sessioncookievalidationresult.md |  42 +-
 ...rver.sessioncookievalidationresult.path.md |  26 +-
 ...bana-plugin-server.sessionstorage.clear.md |  34 +-
 ...kibana-plugin-server.sessionstorage.get.md |  34 +-
 .../kibana-plugin-server.sessionstorage.md    |  44 +-
 ...kibana-plugin-server.sessionstorage.set.md |  48 +-
 ...ssionstoragecookieoptions.encryptionkey.md |  26 +-
 ...er.sessionstoragecookieoptions.issecure.md |  26 +-
 ...ugin-server.sessionstoragecookieoptions.md |  46 +-
 ...server.sessionstoragecookieoptions.name.md |  26 +-
 ...er.sessionstoragecookieoptions.validate.md |  26 +-
 ...n-server.sessionstoragefactory.asscoped.md |  22 +-
 ...ana-plugin-server.sessionstoragefactory.md |  40 +-
 ...kibana-plugin-server.sharedglobalconfig.md |  32 +-
 .../kibana-plugin-server.stringvalidation.md  |  26 +-
 ...ana-plugin-server.stringvalidationregex.md |  42 +-
 ...in-server.stringvalidationregex.message.md |  22 +-
 ...ugin-server.stringvalidationregex.regex.md |  22 +-
 ...ugin-server.stringvalidationregexstring.md |  42 +-
 ...ver.stringvalidationregexstring.message.md |  22 +-
 ...stringvalidationregexstring.regexstring.md |  22 +-
 ...plugin-server.uisettingsparams.category.md |  26 +-
 ...gin-server.uisettingsparams.deprecation.md |  26 +-
 ...gin-server.uisettingsparams.description.md |  26 +-
 .../kibana-plugin-server.uisettingsparams.md  |  60 +--
 ...ana-plugin-server.uisettingsparams.name.md |  26 +-
 ...in-server.uisettingsparams.optionlabels.md |  26 +-
 ...-plugin-server.uisettingsparams.options.md |  26 +-
 ...plugin-server.uisettingsparams.readonly.md |  26 +-
 ...ver.uisettingsparams.requirespagereload.md |  26 +-
 ...ana-plugin-server.uisettingsparams.type.md |  26 +-
 ...ugin-server.uisettingsparams.validation.md |  22 +-
 ...na-plugin-server.uisettingsparams.value.md |  26 +-
 ...na-plugin-server.uisettingsservicesetup.md |  38 +-
 ...-server.uisettingsservicesetup.register.md |  80 +--
 ...uisettingsservicestart.asscopedtoclient.md |  74 +--
 ...na-plugin-server.uisettingsservicestart.md |  38 +-
 .../kibana-plugin-server.uisettingstype.md    |  26 +-
 ...-server.userprovidedvalues.isoverridden.md |  22 +-
 ...kibana-plugin-server.userprovidedvalues.md |  42 +-
 ...gin-server.userprovidedvalues.uservalue.md |  22 +-
 ...server.uuidservicesetup.getinstanceuuid.md |  34 +-
 .../kibana-plugin-server.uuidservicesetup.md  |  40 +-
 .../kibana-plugin-server.validbodyoutput.md   |  26 +-
 src/dev/precommit_hook/casing_check_config.js |   3 +
 src/dev/run_check_core_api_changes.ts         |   2 +-
 1061 files changed, 18928 insertions(+), 18921 deletions(-)
 create mode 100644 api-documenter.json

diff --git a/api-documenter.json b/api-documenter.json
new file mode 100644
index 0000000000000..a2303b939c8ec
--- /dev/null
+++ b/api-documenter.json
@@ -0,0 +1,4 @@
+{
+  "newlineKind": "lf",
+  "outputTarget": "markdown"
+}
diff --git a/docs/development/core/public/index.md b/docs/development/core/public/index.md
index 3badb447f0858..be1aaed88696d 100644
--- a/docs/development/core/public/index.md
+++ b/docs/development/core/public/index.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md)
-
-## API Reference
-
-## Packages
-
-|  Package | Description |
-|  --- | --- |
-|  [kibana-plugin-public](./kibana-plugin-public.md) | The Kibana Core APIs for client-side plugins.<!-- -->A plugin's <code>public/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md)
+
+## API Reference
+
+## Packages
+
+|  Package | Description |
+|  --- | --- |
+|  [kibana-plugin-public](./kibana-plugin-public.md) | The Kibana Core APIs for client-side plugins.<!-- -->A plugin's <code>public/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.app.approute.md b/docs/development/core/public/kibana-plugin-public.app.approute.md
index 7f35f4346b6b3..76c5b7952259f 100644
--- a/docs/development/core/public/kibana-plugin-public.app.approute.md
+++ b/docs/development/core/public/kibana-plugin-public.app.approute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [appRoute](./kibana-plugin-public.app.approute.md)
-
-## App.appRoute property
-
-Override the application's routing path from `/app/${id}`<!-- -->. Must be unique across registered applications. Should not include the base path from HTTP.
-
-<b>Signature:</b>
-
-```typescript
-appRoute?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [appRoute](./kibana-plugin-public.app.approute.md)
+
+## App.appRoute property
+
+Override the application's routing path from `/app/${id}`<!-- -->. Must be unique across registered applications. Should not include the base path from HTTP.
+
+<b>Signature:</b>
+
+```typescript
+appRoute?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.app.chromeless.md b/docs/development/core/public/kibana-plugin-public.app.chromeless.md
index dc1e19bab80b2..ce68c68ba8c72 100644
--- a/docs/development/core/public/kibana-plugin-public.app.chromeless.md
+++ b/docs/development/core/public/kibana-plugin-public.app.chromeless.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [chromeless](./kibana-plugin-public.app.chromeless.md)
-
-## App.chromeless property
-
-Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
-
-<b>Signature:</b>
-
-```typescript
-chromeless?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [chromeless](./kibana-plugin-public.app.chromeless.md)
+
+## App.chromeless property
+
+Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
+
+<b>Signature:</b>
+
+```typescript
+chromeless?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.app.md b/docs/development/core/public/kibana-plugin-public.app.md
index acf07cbf62e91..faea94c467726 100644
--- a/docs/development/core/public/kibana-plugin-public.app.md
+++ b/docs/development/core/public/kibana-plugin-public.app.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md)
-
-## App interface
-
-Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function.
-
-<b>Signature:</b>
-
-```typescript
-export interface App extends AppBase 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appRoute](./kibana-plugin-public.app.approute.md) | <code>string</code> | Override the application's routing path from <code>/app/${id}</code>. Must be unique across registered applications. Should not include the base path from HTTP. |
-|  [chromeless](./kibana-plugin-public.app.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
-|  [mount](./kibana-plugin-public.app.mount.md) | <code>AppMount &#124; AppMountDeprecated</code> | A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md)
+
+## App interface
+
+Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function.
+
+<b>Signature:</b>
+
+```typescript
+export interface App extends AppBase 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appRoute](./kibana-plugin-public.app.approute.md) | <code>string</code> | Override the application's routing path from <code>/app/${id}</code>. Must be unique across registered applications. Should not include the base path from HTTP. |
+|  [chromeless](./kibana-plugin-public.app.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
+|  [mount](./kibana-plugin-public.app.mount.md) | <code>AppMount &#124; AppMountDeprecated</code> | A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.app.mount.md b/docs/development/core/public/kibana-plugin-public.app.mount.md
index 151fb7baeb138..2af5f0277759a 100644
--- a/docs/development/core/public/kibana-plugin-public.app.mount.md
+++ b/docs/development/core/public/kibana-plugin-public.app.mount.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [mount](./kibana-plugin-public.app.mount.md)
-
-## App.mount property
-
-A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-mount: AppMount | AppMountDeprecated;
-```
-
-## Remarks
-
-When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [mount](./kibana-plugin-public.app.mount.md)
+
+## App.mount property
+
+A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+mount: AppMount | AppMountDeprecated;
+```
+
+## Remarks
+
+When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md b/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
index 450972e41bb29..4aaeaaf00f25b 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [capabilities](./kibana-plugin-public.appbase.capabilities.md)
-
-## AppBase.capabilities property
-
-Custom capabilities defined by the app.
-
-<b>Signature:</b>
-
-```typescript
-capabilities?: Partial<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [capabilities](./kibana-plugin-public.appbase.capabilities.md)
+
+## AppBase.capabilities property
+
+Custom capabilities defined by the app.
+
+<b>Signature:</b>
+
+```typescript
+capabilities?: Partial<Capabilities>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.category.md b/docs/development/core/public/kibana-plugin-public.appbase.category.md
index 215ebbbd0e186..d3c6e0acf5e69 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.category.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [category](./kibana-plugin-public.appbase.category.md)
-
-## AppBase.category property
-
-The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference
-
-<b>Signature:</b>
-
-```typescript
-category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [category](./kibana-plugin-public.appbase.category.md)
+
+## AppBase.category property
+
+The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference
+
+<b>Signature:</b>
+
+```typescript
+category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md b/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
index ddbf9aafbd28a..8763a25541199 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [chromeless](./kibana-plugin-public.appbase.chromeless.md)
-
-## AppBase.chromeless property
-
-Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
-
-<b>Signature:</b>
-
-```typescript
-chromeless?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [chromeless](./kibana-plugin-public.appbase.chromeless.md)
+
+## AppBase.chromeless property
+
+Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
+
+<b>Signature:</b>
+
+```typescript
+chromeless?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md b/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
index 99c7e852ff905..18ef718800772 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [euiIconType](./kibana-plugin-public.appbase.euiicontype.md)
-
-## AppBase.euiIconType property
-
-A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [euiIconType](./kibana-plugin-public.appbase.euiicontype.md)
+
+## AppBase.euiIconType property
+
+A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.icon.md b/docs/development/core/public/kibana-plugin-public.appbase.icon.md
index d94d0897bc5b7..0bf6eb22acf9d 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.icon.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [icon](./kibana-plugin-public.appbase.icon.md)
-
-## AppBase.icon property
-
-A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
-
-<b>Signature:</b>
-
-```typescript
-icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [icon](./kibana-plugin-public.appbase.icon.md)
+
+## AppBase.icon property
+
+A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
+
+<b>Signature:</b>
+
+```typescript
+icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.id.md b/docs/development/core/public/kibana-plugin-public.appbase.id.md
index 89dd32d296104..4c3f471a6155c 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.id.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [id](./kibana-plugin-public.appbase.id.md)
-
-## AppBase.id property
-
-The unique identifier of the application
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [id](./kibana-plugin-public.appbase.id.md)
+
+## AppBase.id property
+
+The unique identifier of the application
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.md b/docs/development/core/public/kibana-plugin-public.appbase.md
index 6f547450b6a12..194ba28e416bf 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md)
-
-## AppBase interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AppBase 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-public.appbase.capabilities.md) | <code>Partial&lt;Capabilities&gt;</code> | Custom capabilities defined by the app. |
-|  [category](./kibana-plugin-public.appbase.category.md) | <code>AppCategory</code> | The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference |
-|  [chromeless](./kibana-plugin-public.appbase.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
-|  [euiIconType](./kibana-plugin-public.appbase.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
-|  [icon](./kibana-plugin-public.appbase.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
-|  [id](./kibana-plugin-public.appbase.id.md) | <code>string</code> | The unique identifier of the application |
-|  [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md) | <code>AppNavLinkStatus</code> | The initial status of the application's navLink. Defaulting to <code>visible</code> if <code>status</code> is <code>accessible</code> and <code>hidden</code> if status is <code>inaccessible</code> See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) |
-|  [order](./kibana-plugin-public.appbase.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
-|  [status](./kibana-plugin-public.appbase.status.md) | <code>AppStatus</code> | The initial status of the application. Defaulting to <code>accessible</code> |
-|  [title](./kibana-plugin-public.appbase.title.md) | <code>string</code> | The title of the application. |
-|  [tooltip](./kibana-plugin-public.appbase.tooltip.md) | <code>string</code> | A tooltip shown when hovering over app link. |
-|  [updater$](./kibana-plugin-public.appbase.updater_.md) | <code>Observable&lt;AppUpdater&gt;</code> | An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md)
+
+## AppBase interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AppBase 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-public.appbase.capabilities.md) | <code>Partial&lt;Capabilities&gt;</code> | Custom capabilities defined by the app. |
+|  [category](./kibana-plugin-public.appbase.category.md) | <code>AppCategory</code> | The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference |
+|  [chromeless](./kibana-plugin-public.appbase.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
+|  [euiIconType](./kibana-plugin-public.appbase.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
+|  [icon](./kibana-plugin-public.appbase.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
+|  [id](./kibana-plugin-public.appbase.id.md) | <code>string</code> | The unique identifier of the application |
+|  [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md) | <code>AppNavLinkStatus</code> | The initial status of the application's navLink. Defaulting to <code>visible</code> if <code>status</code> is <code>accessible</code> and <code>hidden</code> if status is <code>inaccessible</code> See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) |
+|  [order](./kibana-plugin-public.appbase.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
+|  [status](./kibana-plugin-public.appbase.status.md) | <code>AppStatus</code> | The initial status of the application. Defaulting to <code>accessible</code> |
+|  [title](./kibana-plugin-public.appbase.title.md) | <code>string</code> | The title of the application. |
+|  [tooltip](./kibana-plugin-public.appbase.tooltip.md) | <code>string</code> | A tooltip shown when hovering over app link. |
+|  [updater$](./kibana-plugin-public.appbase.updater_.md) | <code>Observable&lt;AppUpdater&gt;</code> | An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md b/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
index d6744c3e75756..90a3e6dd08951 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md)
-
-## AppBase.navLinkStatus property
-
-The initial status of the application's navLink. Defaulting to `visible` if `status` is `accessible` and `hidden` if status is `inaccessible` See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
-
-<b>Signature:</b>
-
-```typescript
-navLinkStatus?: AppNavLinkStatus;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md)
+
+## AppBase.navLinkStatus property
+
+The initial status of the application's navLink. Defaulting to `visible` if `status` is `accessible` and `hidden` if status is `inaccessible` See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
+
+<b>Signature:</b>
+
+```typescript
+navLinkStatus?: AppNavLinkStatus;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.order.md b/docs/development/core/public/kibana-plugin-public.appbase.order.md
index dc0ea14a7b860..312e327e54f9c 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.order.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [order](./kibana-plugin-public.appbase.order.md)
-
-## AppBase.order property
-
-An ordinal used to sort nav links relative to one another for display.
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [order](./kibana-plugin-public.appbase.order.md)
+
+## AppBase.order property
+
+An ordinal used to sort nav links relative to one another for display.
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.status.md b/docs/development/core/public/kibana-plugin-public.appbase.status.md
index a5fbadbeea1ff..eee3f9bdfa78f 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.status.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.status.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [status](./kibana-plugin-public.appbase.status.md)
-
-## AppBase.status property
-
-The initial status of the application. Defaulting to `accessible`
-
-<b>Signature:</b>
-
-```typescript
-status?: AppStatus;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [status](./kibana-plugin-public.appbase.status.md)
+
+## AppBase.status property
+
+The initial status of the application. Defaulting to `accessible`
+
+<b>Signature:</b>
+
+```typescript
+status?: AppStatus;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.title.md b/docs/development/core/public/kibana-plugin-public.appbase.title.md
index 4d0fb0c18e814..bb9cbb7b53e84 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.title.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [title](./kibana-plugin-public.appbase.title.md)
-
-## AppBase.title property
-
-The title of the application.
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [title](./kibana-plugin-public.appbase.title.md)
+
+## AppBase.title property
+
+The title of the application.
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md b/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
index 85921a5a321dd..0d3bb59870c42 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [tooltip](./kibana-plugin-public.appbase.tooltip.md)
-
-## AppBase.tooltip property
-
-A tooltip shown when hovering over app link.
-
-<b>Signature:</b>
-
-```typescript
-tooltip?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [tooltip](./kibana-plugin-public.appbase.tooltip.md)
+
+## AppBase.tooltip property
+
+A tooltip shown when hovering over app link.
+
+<b>Signature:</b>
+
+```typescript
+tooltip?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.updater_.md b/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
index 3edd357383449..a15a1666a4e00 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
@@ -1,44 +1,44 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [updater$](./kibana-plugin-public.appbase.updater_.md)
-
-## AppBase.updater$ property
-
-An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime.
-
-<b>Signature:</b>
-
-```typescript
-updater$?: Observable<AppUpdater>;
-```
-
-## Example
-
-How to update an application navLink at runtime
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  private appUpdater = new BehaviorSubject<AppUpdater>(() => ({}));
-
-  setup({ application }) {
-    application.register({
-      id: 'my-app',
-      title: 'My App',
-      updater$: this.appUpdater,
-      async mount(params) {
-        const { renderApp } = await import('./application');
-        return renderApp(params);
-      },
-    });
-  }
-
-  start() {
-     // later, when the navlink needs to be updated
-     appUpdater.next(() => {
-       navLinkStatus: AppNavLinkStatus.disabled,
-     })
-  }
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [updater$](./kibana-plugin-public.appbase.updater_.md)
+
+## AppBase.updater$ property
+
+An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime.
+
+<b>Signature:</b>
+
+```typescript
+updater$?: Observable<AppUpdater>;
+```
+
+## Example
+
+How to update an application navLink at runtime
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  private appUpdater = new BehaviorSubject<AppUpdater>(() => ({}));
+
+  setup({ application }) {
+    application.register({
+      id: 'my-app',
+      title: 'My App',
+      updater$: this.appUpdater,
+      async mount(params) {
+        const { renderApp } = await import('./application');
+        return renderApp(params);
+      },
+    });
+  }
+
+  start() {
+     // later, when the navlink needs to be updated
+     appUpdater.next(() => {
+       navLinkStatus: AppNavLinkStatus.disabled,
+     })
+  }
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md b/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
index 0245b548ae74f..813174001bb03 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md)
-
-## AppCategory.ariaLabel property
-
-If the visual label isn't appropriate for screen readers, can override it here
-
-<b>Signature:</b>
-
-```typescript
-ariaLabel?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md)
+
+## AppCategory.ariaLabel property
+
+If the visual label isn't appropriate for screen readers, can override it here
+
+<b>Signature:</b>
+
+```typescript
+ariaLabel?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md b/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
index 90133735a0082..652bcb9e05edf 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md)
-
-## AppCategory.euiIconType property
-
-Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md)
+
+## AppCategory.euiIconType property
+
+Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.label.md b/docs/development/core/public/kibana-plugin-public.appcategory.label.md
index 171b1627f9ef8..692c032b01a69 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.label.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.label.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [label](./kibana-plugin-public.appcategory.label.md)
-
-## AppCategory.label property
-
-Label used for cateogry name. Also used as aria-label if one isn't set.
-
-<b>Signature:</b>
-
-```typescript
-label: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [label](./kibana-plugin-public.appcategory.label.md)
+
+## AppCategory.label property
+
+Label used for cateogry name. Also used as aria-label if one isn't set.
+
+<b>Signature:</b>
+
+```typescript
+label: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.md b/docs/development/core/public/kibana-plugin-public.appcategory.md
index f1085e7325272..8c40113a8c438 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md)
-
-## AppCategory interface
-
-A category definition for nav links to know where to sort them in the left hand nav
-
-<b>Signature:</b>
-
-```typescript
-export interface AppCategory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md) | <code>string</code> | If the visual label isn't appropriate for screen readers, can override it here |
-|  [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md) | <code>string</code> | Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined |
-|  [label](./kibana-plugin-public.appcategory.label.md) | <code>string</code> | Label used for cateogry name. Also used as aria-label if one isn't set. |
-|  [order](./kibana-plugin-public.appcategory.order.md) | <code>number</code> | The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md)
+
+## AppCategory interface
+
+A category definition for nav links to know where to sort them in the left hand nav
+
+<b>Signature:</b>
+
+```typescript
+export interface AppCategory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md) | <code>string</code> | If the visual label isn't appropriate for screen readers, can override it here |
+|  [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md) | <code>string</code> | Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined |
+|  [label](./kibana-plugin-public.appcategory.label.md) | <code>string</code> | Label used for cateogry name. Also used as aria-label if one isn't set. |
+|  [order](./kibana-plugin-public.appcategory.order.md) | <code>number</code> | The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.order.md b/docs/development/core/public/kibana-plugin-public.appcategory.order.md
index ef17ac04b78d6..170d3d9559e93 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.order.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [order](./kibana-plugin-public.appcategory.order.md)
-
-## AppCategory.order property
-
-The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000)
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [order](./kibana-plugin-public.appcategory.order.md)
+
+## AppCategory.order property
+
+The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000)
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveaction.md b/docs/development/core/public/kibana-plugin-public.appleaveaction.md
index ae56205f5e45c..e81b925feaee8 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveaction.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveAction](./kibana-plugin-public.appleaveaction.md)
-
-## AppLeaveAction type
-
-Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
-
-See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppLeaveAction = AppLeaveDefaultAction | AppLeaveConfirmAction;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveAction](./kibana-plugin-public.appleaveaction.md)
+
+## AppLeaveAction type
+
+Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
+
+See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppLeaveAction = AppLeaveDefaultAction | AppLeaveConfirmAction;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md b/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
index 482b2e489b33e..3ee49d60eb1c7 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md)
-
-## AppLeaveActionType enum
-
-Possible type of actions on application leave.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppLeaveActionType 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  confirm | <code>&quot;confirm&quot;</code> |  |
-|  default | <code>&quot;default&quot;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md)
+
+## AppLeaveActionType enum
+
+Possible type of actions on application leave.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppLeaveActionType 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  confirm | <code>&quot;confirm&quot;</code> |  |
+|  default | <code>&quot;default&quot;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
index 4cd99dd2a3fb3..ea3c0dbba7ec4 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md)
-
-## AppLeaveConfirmAction interface
-
-Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.
-
-See 
-
-<b>Signature:</b>
-
-```typescript
-export interface AppLeaveConfirmAction 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [text](./kibana-plugin-public.appleaveconfirmaction.text.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-public.appleaveconfirmaction.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.appleaveconfirmaction.type.md) | <code>AppLeaveActionType.confirm</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md)
+
+## AppLeaveConfirmAction interface
+
+Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.
+
+See 
+
+<b>Signature:</b>
+
+```typescript
+export interface AppLeaveConfirmAction 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [text](./kibana-plugin-public.appleaveconfirmaction.text.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-public.appleaveconfirmaction.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.appleaveconfirmaction.type.md) | <code>AppLeaveActionType.confirm</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
index dbbd11c6f71f8..6b572b6bd9845 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [text](./kibana-plugin-public.appleaveconfirmaction.text.md)
-
-## AppLeaveConfirmAction.text property
-
-<b>Signature:</b>
-
-```typescript
-text: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [text](./kibana-plugin-public.appleaveconfirmaction.text.md)
+
+## AppLeaveConfirmAction.text property
+
+<b>Signature:</b>
+
+```typescript
+text: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
index 684ef384a37c3..47b15dd32efcf 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [title](./kibana-plugin-public.appleaveconfirmaction.title.md)
-
-## AppLeaveConfirmAction.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [title](./kibana-plugin-public.appleaveconfirmaction.title.md)
+
+## AppLeaveConfirmAction.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
index 926cecf893cc8..e8e34c446ff53 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [type](./kibana-plugin-public.appleaveconfirmaction.type.md)
-
-## AppLeaveConfirmAction.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AppLeaveActionType.confirm;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [type](./kibana-plugin-public.appleaveconfirmaction.type.md)
+
+## AppLeaveConfirmAction.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AppLeaveActionType.confirm;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
index ed2f729a0c648..5682dc88119e2 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
-
-## AppLeaveDefaultAction interface
-
-Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.
-
-See 
-
-<b>Signature:</b>
-
-```typescript
-export interface AppLeaveDefaultAction 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.appleavedefaultaction.type.md) | <code>AppLeaveActionType.default</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
+
+## AppLeaveDefaultAction interface
+
+Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.
+
+See 
+
+<b>Signature:</b>
+
+```typescript
+export interface AppLeaveDefaultAction 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.appleavedefaultaction.type.md) | <code>AppLeaveActionType.default</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
index ee12393121a5a..8db979b1bba5c 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) &gt; [type](./kibana-plugin-public.appleavedefaultaction.type.md)
-
-## AppLeaveDefaultAction.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AppLeaveActionType.default;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) &gt; [type](./kibana-plugin-public.appleavedefaultaction.type.md)
+
+## AppLeaveDefaultAction.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AppLeaveActionType.default;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleavehandler.md b/docs/development/core/public/kibana-plugin-public.appleavehandler.md
index e879227961bc6..8f4bad65a6cd6 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavehandler.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavehandler.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
-
-## AppLeaveHandler type
-
-A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return `confirm` to to prompt a message to the user before leaving the page, or `default` to keep the default behavior (doing nothing).
-
-See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppLeaveHandler = (factory: AppLeaveActionFactory) => AppLeaveAction;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
+
+## AppLeaveHandler type
+
+A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return `confirm` to to prompt a message to the user before leaving the page, or `default` to keep the default behavior (doing nothing).
+
+See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppLeaveHandler = (factory: AppLeaveActionFactory) => AppLeaveAction;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.md
index cf9bc5189af40..7497752ac386e 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-## ApplicationSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ApplicationSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [register(app)](./kibana-plugin-public.applicationsetup.register.md) | Register an mountable application to the system. |
-|  [registerAppUpdater(appUpdater$)](./kibana-plugin-public.applicationsetup.registerappupdater.md) | Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.<!-- -->This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the <code>updater$</code> property of the registered application instead. |
-|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationsetup.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+## ApplicationSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ApplicationSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [register(app)](./kibana-plugin-public.applicationsetup.register.md) | Register an mountable application to the system. |
+|  [registerAppUpdater(appUpdater$)](./kibana-plugin-public.applicationsetup.registerappupdater.md) | Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.<!-- -->This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the <code>updater$</code> property of the registered application instead. |
+|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationsetup.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
index b4ccb6a01c600..5c6c7cd252b0a 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [register](./kibana-plugin-public.applicationsetup.register.md)
-
-## ApplicationSetup.register() method
-
-Register an mountable application to the system.
-
-<b>Signature:</b>
-
-```typescript
-register(app: App): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  app | <code>App</code> | an [App](./kibana-plugin-public.app.md) |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [register](./kibana-plugin-public.applicationsetup.register.md)
+
+## ApplicationSetup.register() method
+
+Register an mountable application to the system.
+
+<b>Signature:</b>
+
+```typescript
+register(app: App): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  app | <code>App</code> | an [App](./kibana-plugin-public.app.md) |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
index 39b4f878a3f79..b3a2dcb2b7de1 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
@@ -1,47 +1,47 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerAppUpdater](./kibana-plugin-public.applicationsetup.registerappupdater.md)
-
-## ApplicationSetup.registerAppUpdater() method
-
-Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.
-
-This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the `updater$` property of the registered application instead.
-
-<b>Signature:</b>
-
-```typescript
-registerAppUpdater(appUpdater$: Observable<AppUpdater>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appUpdater$ | <code>Observable&lt;AppUpdater&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to register an application updater that disables some applications:
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  setup({ application }) {
-    application.registerAppUpdater(
-      new BehaviorSubject<AppUpdater>(app => {
-         if (myPluginApi.shouldDisable(app))
-           return {
-             status: AppStatus.inaccessible,
-           };
-       })
-     );
-    }
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerAppUpdater](./kibana-plugin-public.applicationsetup.registerappupdater.md)
+
+## ApplicationSetup.registerAppUpdater() method
+
+Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.
+
+This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the `updater$` property of the registered application instead.
+
+<b>Signature:</b>
+
+```typescript
+registerAppUpdater(appUpdater$: Observable<AppUpdater>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appUpdater$ | <code>Observable&lt;AppUpdater&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to register an application updater that disables some applications:
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  setup({ application }) {
+    application.registerAppUpdater(
+      new BehaviorSubject<AppUpdater>(app => {
+         if (myPluginApi.shouldDisable(app))
+           return {
+             status: AppStatus.inaccessible,
+           };
+       })
+     );
+    }
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
index 275ba431bc7e7..e1d28bbdb7030 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerMountContext](./kibana-plugin-public.applicationsetup.registermountcontext.md)
-
-## ApplicationSetup.registerMountContext() method
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
-|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerMountContext](./kibana-plugin-public.applicationsetup.registermountcontext.md)
+
+## ApplicationSetup.registerMountContext() method
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
+|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md b/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
index 14326197ea549..ef61b32d9b7f2 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [capabilities](./kibana-plugin-public.applicationstart.capabilities.md)
-
-## ApplicationStart.capabilities property
-
-Gets the read-only capabilities.
-
-<b>Signature:</b>
-
-```typescript
-capabilities: RecursiveReadonly<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [capabilities](./kibana-plugin-public.applicationstart.capabilities.md)
+
+## ApplicationStart.capabilities property
+
+Gets the read-only capabilities.
+
+<b>Signature:</b>
+
+```typescript
+capabilities: RecursiveReadonly<Capabilities>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md b/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
index 422fbdf7418c2..7eadd4d4e9d44 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [getUrlForApp](./kibana-plugin-public.applicationstart.geturlforapp.md)
-
-## ApplicationStart.getUrlForApp() method
-
-Returns a relative URL to a given app, including the global base path.
-
-<b>Signature:</b>
-
-```typescript
-getUrlForApp(appId: string, options?: {
-        path?: string;
-    }): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appId | <code>string</code> |  |
-|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>    }</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [getUrlForApp](./kibana-plugin-public.applicationstart.geturlforapp.md)
+
+## ApplicationStart.getUrlForApp() method
+
+Returns a relative URL to a given app, including the global base path.
+
+<b>Signature:</b>
+
+```typescript
+getUrlForApp(appId: string, options?: {
+        path?: string;
+    }): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appId | <code>string</code> |  |
+|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>    }</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.md b/docs/development/core/public/kibana-plugin-public.applicationstart.md
index e36ef3f14f87e..3ad7e3b1656d8 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md)
-
-## ApplicationStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ApplicationStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-public.applicationstart.capabilities.md) | <code>RecursiveReadonly&lt;Capabilities&gt;</code> | Gets the read-only capabilities. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getUrlForApp(appId, options)](./kibana-plugin-public.applicationstart.geturlforapp.md) | Returns a relative URL to a given app, including the global base path. |
-|  [navigateToApp(appId, options)](./kibana-plugin-public.applicationstart.navigatetoapp.md) | Navigate to a given app |
-|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationstart.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md)
+
+## ApplicationStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ApplicationStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-public.applicationstart.capabilities.md) | <code>RecursiveReadonly&lt;Capabilities&gt;</code> | Gets the read-only capabilities. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getUrlForApp(appId, options)](./kibana-plugin-public.applicationstart.geturlforapp.md) | Returns a relative URL to a given app, including the global base path. |
+|  [navigateToApp(appId, options)](./kibana-plugin-public.applicationstart.navigatetoapp.md) | Navigate to a given app |
+|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationstart.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md b/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
index 3e29d09ea4cd5..9a1f1da689584 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [navigateToApp](./kibana-plugin-public.applicationstart.navigatetoapp.md)
-
-## ApplicationStart.navigateToApp() method
-
-Navigate to a given app
-
-<b>Signature:</b>
-
-```typescript
-navigateToApp(appId: string, options?: {
-        path?: string;
-        state?: any;
-    }): Promise<void>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appId | <code>string</code> |  |
-|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>        state?: any;</code><br/><code>    }</code> |  |
-
-<b>Returns:</b>
-
-`Promise<void>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [navigateToApp](./kibana-plugin-public.applicationstart.navigatetoapp.md)
+
+## ApplicationStart.navigateToApp() method
+
+Navigate to a given app
+
+<b>Signature:</b>
+
+```typescript
+navigateToApp(appId: string, options?: {
+        path?: string;
+        state?: any;
+    }): Promise<void>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appId | <code>string</code> |  |
+|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>        state?: any;</code><br/><code>    }</code> |  |
+
+<b>Returns:</b>
+
+`Promise<void>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md b/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
index c15a23fe82b21..0eb1cb60ec5fd 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [registerMountContext](./kibana-plugin-public.applicationstart.registermountcontext.md)
-
-## ApplicationStart.registerMountContext() method
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
-|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [registerMountContext](./kibana-plugin-public.applicationstart.registermountcontext.md)
+
+## ApplicationStart.registerMountContext() method
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
+|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmount.md b/docs/development/core/public/kibana-plugin-public.appmount.md
index 25faa7be30b68..84a52b09a119c 100644
--- a/docs/development/core/public/kibana-plugin-public.appmount.md
+++ b/docs/development/core/public/kibana-plugin-public.appmount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMount](./kibana-plugin-public.appmount.md)
-
-## AppMount type
-
-A mount function called when the user navigates to this app's route.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppMount = (params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMount](./kibana-plugin-public.appmount.md)
+
+## AppMount type
+
+A mount function called when the user navigates to this app's route.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppMount = (params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md b/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
index e01a5e9da50d5..6ec2d18f33d80 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md) &gt; [core](./kibana-plugin-public.appmountcontext.core.md)
-
-## AppMountContext.core property
-
-Core service APIs available to mounted applications.
-
-<b>Signature:</b>
-
-```typescript
-core: {
-        application: Pick<ApplicationStart, 'capabilities' | 'navigateToApp'>;
-        chrome: ChromeStart;
-        docLinks: DocLinksStart;
-        http: HttpStart;
-        i18n: I18nStart;
-        notifications: NotificationsStart;
-        overlays: OverlayStart;
-        savedObjects: SavedObjectsStart;
-        uiSettings: IUiSettingsClient;
-        injectedMetadata: {
-            getInjectedVar: (name: string, defaultValue?: any) => unknown;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md) &gt; [core](./kibana-plugin-public.appmountcontext.core.md)
+
+## AppMountContext.core property
+
+Core service APIs available to mounted applications.
+
+<b>Signature:</b>
+
+```typescript
+core: {
+        application: Pick<ApplicationStart, 'capabilities' | 'navigateToApp'>;
+        chrome: ChromeStart;
+        docLinks: DocLinksStart;
+        http: HttpStart;
+        i18n: I18nStart;
+        notifications: NotificationsStart;
+        overlays: OverlayStart;
+        savedObjects: SavedObjectsStart;
+        uiSettings: IUiSettingsClient;
+        injectedMetadata: {
+            getInjectedVar: (name: string, defaultValue?: any) => unknown;
+        };
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountcontext.md b/docs/development/core/public/kibana-plugin-public.appmountcontext.md
index 2f8c0553d0b38..6c0860ad9f6b7 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountcontext.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md)
-
-## AppMountContext interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface AppMountContext 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-public.appmountcontext.core.md) | <code>{</code><br/><code>        application: Pick&lt;ApplicationStart, 'capabilities' &#124; 'navigateToApp'&gt;;</code><br/><code>        chrome: ChromeStart;</code><br/><code>        docLinks: DocLinksStart;</code><br/><code>        http: HttpStart;</code><br/><code>        i18n: I18nStart;</code><br/><code>        notifications: NotificationsStart;</code><br/><code>        overlays: OverlayStart;</code><br/><code>        savedObjects: SavedObjectsStart;</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>        injectedMetadata: {</code><br/><code>            getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>        };</code><br/><code>    }</code> | Core service APIs available to mounted applications. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md)
+
+## AppMountContext interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface AppMountContext 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-public.appmountcontext.core.md) | <code>{</code><br/><code>        application: Pick&lt;ApplicationStart, 'capabilities' &#124; 'navigateToApp'&gt;;</code><br/><code>        chrome: ChromeStart;</code><br/><code>        docLinks: DocLinksStart;</code><br/><code>        http: HttpStart;</code><br/><code>        i18n: I18nStart;</code><br/><code>        notifications: NotificationsStart;</code><br/><code>        overlays: OverlayStart;</code><br/><code>        savedObjects: SavedObjectsStart;</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>        injectedMetadata: {</code><br/><code>            getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>        };</code><br/><code>    }</code> | Core service APIs available to mounted applications. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md b/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
index 936642abcc97a..8c8114182b60f 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)
-
-## AppMountDeprecated type
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A mount function called when the user navigates to this app's route.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppMountDeprecated = (context: AppMountContext, params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
-```
-
-## Remarks
-
-When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)
+
+## AppMountDeprecated type
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A mount function called when the user navigates to this app's route.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppMountDeprecated = (context: AppMountContext, params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
+```
+
+## Remarks
+
+When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
index 7cd709d615729..041d976aa42a2 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
@@ -1,58 +1,58 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md)
-
-## AppMountParameters.appBasePath property
-
-The route path for configuring navigation to the application. This string should not include the base path from HTTP.
-
-<b>Signature:</b>
-
-```typescript
-appBasePath: string;
-```
-
-## Example
-
-How to configure react-router with a base path:
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  setup({ application }) {
-    application.register({
-     id: 'my-app',
-     appRoute: '/my-app',
-     async mount(params) {
-       const { renderApp } = await import('./application');
-       return renderApp(params);
-     },
-   });
- }
-}
-
-```
-
-```ts
-// application.tsx
-import React from 'react';
-import ReactDOM from 'react-dom';
-import { BrowserRouter, Route } from 'react-router-dom';
-
-import { CoreStart, AppMountParams } from 'src/core/public';
-import { MyPluginDepsStart } from './plugin';
-
-export renderApp = ({ appBasePath, element }: AppMountParams) => {
-  ReactDOM.render(
-    // pass `appBasePath` to `basename`
-    <BrowserRouter basename={appBasePath}>
-      <Route path="/" exact component={HomePage} />
-    </BrowserRouter>,
-    element
-  );
-
-  return () => ReactDOM.unmountComponentAtNode(element);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md)
+
+## AppMountParameters.appBasePath property
+
+The route path for configuring navigation to the application. This string should not include the base path from HTTP.
+
+<b>Signature:</b>
+
+```typescript
+appBasePath: string;
+```
+
+## Example
+
+How to configure react-router with a base path:
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  setup({ application }) {
+    application.register({
+     id: 'my-app',
+     appRoute: '/my-app',
+     async mount(params) {
+       const { renderApp } = await import('./application');
+       return renderApp(params);
+     },
+   });
+ }
+}
+
+```
+
+```ts
+// application.tsx
+import React from 'react';
+import ReactDOM from 'react-dom';
+import { BrowserRouter, Route } from 'react-router-dom';
+
+import { CoreStart, AppMountParams } from 'src/core/public';
+import { MyPluginDepsStart } from './plugin';
+
+export renderApp = ({ appBasePath, element }: AppMountParams) => {
+  ReactDOM.render(
+    // pass `appBasePath` to `basename`
+    <BrowserRouter basename={appBasePath}>
+      <Route path="/" exact component={HomePage} />
+    </BrowserRouter>,
+    element
+  );
+
+  return () => ReactDOM.unmountComponentAtNode(element);
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
index dbe496c01c215..0c6759df8197c 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [element](./kibana-plugin-public.appmountparameters.element.md)
-
-## AppMountParameters.element property
-
-The container element to render the application into.
-
-<b>Signature:</b>
-
-```typescript
-element: HTMLElement;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [element](./kibana-plugin-public.appmountparameters.element.md)
+
+## AppMountParameters.element property
+
+The container element to render the application into.
+
+<b>Signature:</b>
+
+```typescript
+element: HTMLElement;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.md
index 9586eba96a697..c21889c28bda4 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md)
-
-## AppMountParameters interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AppMountParameters 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md) | <code>string</code> | The route path for configuring navigation to the application. This string should not include the base path from HTTP. |
-|  [element](./kibana-plugin-public.appmountparameters.element.md) | <code>HTMLElement</code> | The container element to render the application into. |
-|  [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md) | <code>(handler: AppLeaveHandler) =&gt; void</code> | A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.<!-- -->This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md)
+
+## AppMountParameters interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AppMountParameters 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md) | <code>string</code> | The route path for configuring navigation to the application. This string should not include the base path from HTTP. |
+|  [element](./kibana-plugin-public.appmountparameters.element.md) | <code>HTMLElement</code> | The container element to render the application into. |
+|  [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md) | <code>(handler: AppLeaveHandler) =&gt; void</code> | A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.<!-- -->This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
index 55eb840ce1cf6..283ae34f14c54 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
@@ -1,41 +1,41 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md)
-
-## AppMountParameters.onAppLeave property
-
-A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.
-
-This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url.
-
-<b>Signature:</b>
-
-```typescript
-onAppLeave: (handler: AppLeaveHandler) => void;
-```
-
-## Example
-
-
-```ts
-// application.tsx
-import React from 'react';
-import ReactDOM from 'react-dom';
-import { BrowserRouter, Route } from 'react-router-dom';
-
-import { CoreStart, AppMountParams } from 'src/core/public';
-import { MyPluginDepsStart } from './plugin';
-
-export renderApp = ({ appBasePath, element, onAppLeave }: AppMountParams) => {
-   const { renderApp, hasUnsavedChanges } = await import('./application');
-   onAppLeave(actions => {
-     if(hasUnsavedChanges()) {
-       return actions.confirm('Some changes were not saved. Are you sure you want to leave?');
-     }
-     return actions.default();
-   });
-   return renderApp(params);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md)
+
+## AppMountParameters.onAppLeave property
+
+A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.
+
+This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url.
+
+<b>Signature:</b>
+
+```typescript
+onAppLeave: (handler: AppLeaveHandler) => void;
+```
+
+## Example
+
+
+```ts
+// application.tsx
+import React from 'react';
+import ReactDOM from 'react-dom';
+import { BrowserRouter, Route } from 'react-router-dom';
+
+import { CoreStart, AppMountParams } from 'src/core/public';
+import { MyPluginDepsStart } from './plugin';
+
+export renderApp = ({ appBasePath, element, onAppLeave }: AppMountParams) => {
+   const { renderApp, hasUnsavedChanges } = await import('./application');
+   onAppLeave(actions => {
+     if(hasUnsavedChanges()) {
+       return actions.confirm('Some changes were not saved. Are you sure you want to leave?');
+     }
+     return actions.default();
+   });
+   return renderApp(params);
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md b/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
index d6b22ac2b9217..be6953c6f3667 100644
--- a/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
-
-## AppNavLinkStatus enum
-
-Status of the application's navLink.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppNavLinkStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  default | <code>0</code> | The application navLink will be <code>visible</code> if the application's [AppStatus](./kibana-plugin-public.appstatus.md) is set to <code>accessible</code> and <code>hidden</code> if the application status is set to <code>inaccessible</code>. |
-|  disabled | <code>2</code> | The application navLink is visible but inactive and not clickable in the navigation bar. |
-|  hidden | <code>3</code> | The application navLink does not appear in the navigation bar. |
-|  visible | <code>1</code> | The application navLink is visible and clickable in the navigation bar. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
+
+## AppNavLinkStatus enum
+
+Status of the application's navLink.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppNavLinkStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  default | <code>0</code> | The application navLink will be <code>visible</code> if the application's [AppStatus](./kibana-plugin-public.appstatus.md) is set to <code>accessible</code> and <code>hidden</code> if the application status is set to <code>inaccessible</code>. |
+|  disabled | <code>2</code> | The application navLink is visible but inactive and not clickable in the navigation bar. |
+|  hidden | <code>3</code> | The application navLink does not appear in the navigation bar. |
+|  visible | <code>1</code> | The application navLink is visible and clickable in the navigation bar. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appstatus.md b/docs/development/core/public/kibana-plugin-public.appstatus.md
index 23fb7186569da..35b7b4cb224d9 100644
--- a/docs/development/core/public/kibana-plugin-public.appstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appstatus.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppStatus](./kibana-plugin-public.appstatus.md)
-
-## AppStatus enum
-
-Accessibility status of an application.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  accessible | <code>0</code> | Application is accessible. |
-|  inaccessible | <code>1</code> | Application is not accessible. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppStatus](./kibana-plugin-public.appstatus.md)
+
+## AppStatus enum
+
+Accessibility status of an application.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  accessible | <code>0</code> | Application is accessible. |
+|  inaccessible | <code>1</code> | Application is not accessible. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appunmount.md b/docs/development/core/public/kibana-plugin-public.appunmount.md
index 61782d19ca8c5..041a9ab3dbc0b 100644
--- a/docs/development/core/public/kibana-plugin-public.appunmount.md
+++ b/docs/development/core/public/kibana-plugin-public.appunmount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUnmount](./kibana-plugin-public.appunmount.md)
-
-## AppUnmount type
-
-A function called when an application should be unmounted from the page. This function should be synchronous.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUnmount = () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUnmount](./kibana-plugin-public.appunmount.md)
+
+## AppUnmount type
+
+A function called when an application should be unmounted from the page. This function should be synchronous.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUnmount = () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appupdatablefields.md b/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
index b9260c79cd972..f588773976143 100644
--- a/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
+++ b/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md)
-
-## AppUpdatableFields type
-
-Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUpdatableFields = Pick<AppBase, 'status' | 'navLinkStatus' | 'tooltip'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md)
+
+## AppUpdatableFields type
+
+Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUpdatableFields = Pick<AppBase, 'status' | 'navLinkStatus' | 'tooltip'>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appupdater.md b/docs/development/core/public/kibana-plugin-public.appupdater.md
index f1b965cc2fc22..75f489e6346f3 100644
--- a/docs/development/core/public/kibana-plugin-public.appupdater.md
+++ b/docs/development/core/public/kibana-plugin-public.appupdater.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdater](./kibana-plugin-public.appupdater.md)
-
-## AppUpdater type
-
-Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUpdater = (app: AppBase) => Partial<AppUpdatableFields> | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdater](./kibana-plugin-public.appupdater.md)
+
+## AppUpdater type
+
+Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUpdater = (app: AppBase) => Partial<AppUpdatableFields> | undefined;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md b/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
index ea3380d70053b..8f46a42dc3b78 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [catalogue](./kibana-plugin-public.capabilities.catalogue.md)
-
-## Capabilities.catalogue property
-
-Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
-
-<b>Signature:</b>
-
-```typescript
-catalogue: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [catalogue](./kibana-plugin-public.capabilities.catalogue.md)
+
+## Capabilities.catalogue property
+
+Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
+
+<b>Signature:</b>
+
+```typescript
+catalogue: Record<string, boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.management.md b/docs/development/core/public/kibana-plugin-public.capabilities.management.md
index 5f4c159aef974..59037240382b4 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.management.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.management.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [management](./kibana-plugin-public.capabilities.management.md)
-
-## Capabilities.management property
-
-Management section capabilities.
-
-<b>Signature:</b>
-
-```typescript
-management: {
-        [sectionId: string]: Record<string, boolean>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [management](./kibana-plugin-public.capabilities.management.md)
+
+## Capabilities.management property
+
+Management section capabilities.
+
+<b>Signature:</b>
+
+```typescript
+management: {
+        [sectionId: string]: Record<string, boolean>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.md b/docs/development/core/public/kibana-plugin-public.capabilities.md
index e7dc542e6ed5e..5a6d611f8afb7 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md)
-
-## Capabilities interface
-
-The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
-
-<b>Signature:</b>
-
-```typescript
-export interface Capabilities 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [catalogue](./kibana-plugin-public.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
-|  [management](./kibana-plugin-public.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
-|  [navLinks](./kibana-plugin-public.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md)
+
+## Capabilities interface
+
+The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
+
+<b>Signature:</b>
+
+```typescript
+export interface Capabilities 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [catalogue](./kibana-plugin-public.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
+|  [management](./kibana-plugin-public.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
+|  [navLinks](./kibana-plugin-public.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md b/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
index a6c337ef70277..804ff1fef534a 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [navLinks](./kibana-plugin-public.capabilities.navlinks.md)
-
-## Capabilities.navLinks property
-
-Navigation link capabilities.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [navLinks](./kibana-plugin-public.capabilities.navlinks.md)
+
+## Capabilities.navLinks property
+
+Navigation link capabilities.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: Record<string, boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md b/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
index 535b0cb627e7e..cfb129b3f4796 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [iconType](./kibana-plugin-public.chromebadge.icontype.md)
-
-## ChromeBadge.iconType property
-
-<b>Signature:</b>
-
-```typescript
-iconType?: IconType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [iconType](./kibana-plugin-public.chromebadge.icontype.md)
+
+## ChromeBadge.iconType property
+
+<b>Signature:</b>
+
+```typescript
+iconType?: IconType;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.md b/docs/development/core/public/kibana-plugin-public.chromebadge.md
index 5323193dcdd0e..b2286986926ed 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md)
-
-## ChromeBadge interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeBadge 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [iconType](./kibana-plugin-public.chromebadge.icontype.md) | <code>IconType</code> |  |
-|  [text](./kibana-plugin-public.chromebadge.text.md) | <code>string</code> |  |
-|  [tooltip](./kibana-plugin-public.chromebadge.tooltip.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md)
+
+## ChromeBadge interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeBadge 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [iconType](./kibana-plugin-public.chromebadge.icontype.md) | <code>IconType</code> |  |
+|  [text](./kibana-plugin-public.chromebadge.text.md) | <code>string</code> |  |
+|  [tooltip](./kibana-plugin-public.chromebadge.tooltip.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.text.md b/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
index 5b334a8440ee2..59c5aedeaa44e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [text](./kibana-plugin-public.chromebadge.text.md)
-
-## ChromeBadge.text property
-
-<b>Signature:</b>
-
-```typescript
-text: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [text](./kibana-plugin-public.chromebadge.text.md)
+
+## ChromeBadge.text property
+
+<b>Signature:</b>
+
+```typescript
+text: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md b/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
index a1a0590cf093d..d37fdb5bdaf30 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [tooltip](./kibana-plugin-public.chromebadge.tooltip.md)
-
-## ChromeBadge.tooltip property
-
-<b>Signature:</b>
-
-```typescript
-tooltip: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [tooltip](./kibana-plugin-public.chromebadge.tooltip.md)
+
+## ChromeBadge.tooltip property
+
+<b>Signature:</b>
+
+```typescript
+tooltip: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md b/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
index 7edbfb97fba95..99eaf8e222855 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [logo](./kibana-plugin-public.chromebrand.logo.md)
-
-## ChromeBrand.logo property
-
-<b>Signature:</b>
-
-```typescript
-logo?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [logo](./kibana-plugin-public.chromebrand.logo.md)
+
+## ChromeBrand.logo property
+
+<b>Signature:</b>
+
+```typescript
+logo?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.md b/docs/development/core/public/kibana-plugin-public.chromebrand.md
index 42af5255c0042..87c146b2b4c28 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md)
-
-## ChromeBrand interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeBrand 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [logo](./kibana-plugin-public.chromebrand.logo.md) | <code>string</code> |  |
-|  [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md)
+
+## ChromeBrand interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeBrand 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [logo](./kibana-plugin-public.chromebrand.logo.md) | <code>string</code> |  |
+|  [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md b/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
index 53d05ed89144a..85c933ac5814e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md)
-
-## ChromeBrand.smallLogo property
-
-<b>Signature:</b>
-
-```typescript
-smallLogo?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md)
+
+## ChromeBrand.smallLogo property
+
+<b>Signature:</b>
+
+```typescript
+smallLogo?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md b/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
index 9350b56ce5f60..4738487d6674a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md)
-
-## ChromeBreadcrumb type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeBreadcrumb = EuiBreadcrumb;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md)
+
+## ChromeBreadcrumb type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeBreadcrumb = EuiBreadcrumb;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
index eba149bf93a4c..c132b4b54337e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [change](./kibana-plugin-public.chromedoctitle.change.md)
-
-## ChromeDocTitle.change() method
-
-Changes the current document title.
-
-<b>Signature:</b>
-
-```typescript
-change(newTitle: string | string[]): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  newTitle | <code>string &#124; string[]</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to change the title of the document
-
-```ts
-chrome.docTitle.change('My application title')
-chrome.docTitle.change(['My application', 'My section'])
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [change](./kibana-plugin-public.chromedoctitle.change.md)
+
+## ChromeDocTitle.change() method
+
+Changes the current document title.
+
+<b>Signature:</b>
+
+```typescript
+change(newTitle: string | string[]): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  newTitle | <code>string &#124; string[]</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to change the title of the document
+
+```ts
+chrome.docTitle.change('My application title')
+chrome.docTitle.change(['My application', 'My section'])
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
index feb3b3ab966ef..624940b612ddb 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
@@ -1,39 +1,39 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md)
-
-## ChromeDocTitle interface
-
-APIs for accessing and updating the document title.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeDocTitle 
-```
-
-## Example 1
-
-How to change the title of the document
-
-```ts
-chrome.docTitle.change('My application')
-
-```
-
-## Example 2
-
-How to reset the title of the document to it's initial value
-
-```ts
-chrome.docTitle.reset()
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [change(newTitle)](./kibana-plugin-public.chromedoctitle.change.md) | Changes the current document title. |
-|  [reset()](./kibana-plugin-public.chromedoctitle.reset.md) | Resets the document title to it's initial value. (meaning the one present in the title meta at application load.) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md)
+
+## ChromeDocTitle interface
+
+APIs for accessing and updating the document title.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeDocTitle 
+```
+
+## Example 1
+
+How to change the title of the document
+
+```ts
+chrome.docTitle.change('My application')
+
+```
+
+## Example 2
+
+How to reset the title of the document to it's initial value
+
+```ts
+chrome.docTitle.reset()
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [change(newTitle)](./kibana-plugin-public.chromedoctitle.change.md) | Changes the current document title. |
+|  [reset()](./kibana-plugin-public.chromedoctitle.reset.md) | Resets the document title to it's initial value. (meaning the one present in the title meta at application load.) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
index 4b4c6f573e006..97933c443125a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [reset](./kibana-plugin-public.chromedoctitle.reset.md)
-
-## ChromeDocTitle.reset() method
-
-Resets the document title to it's initial value. (meaning the one present in the title meta at application load.)
-
-<b>Signature:</b>
-
-```typescript
-reset(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [reset](./kibana-plugin-public.chromedoctitle.reset.md)
+
+## ChromeDocTitle.reset() method
+
+Resets the document title to it's initial value. (meaning the one present in the title meta at application load.)
+
+<b>Signature:</b>
+
+```typescript
+reset(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
index d817238c9287d..e5bb6c19a807b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [appName](./kibana-plugin-public.chromehelpextension.appname.md)
-
-## ChromeHelpExtension.appName property
-
-Provide your plugin's name to create a header for separation
-
-<b>Signature:</b>
-
-```typescript
-appName: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [appName](./kibana-plugin-public.chromehelpextension.appname.md)
+
+## ChromeHelpExtension.appName property
+
+Provide your plugin's name to create a header for separation
+
+<b>Signature:</b>
+
+```typescript
+appName: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
index b51d4928e991d..b9b38dc20774f 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [content](./kibana-plugin-public.chromehelpextension.content.md)
-
-## ChromeHelpExtension.content property
-
-Custom content to occur below the list of links
-
-<b>Signature:</b>
-
-```typescript
-content?: (element: HTMLDivElement) => () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [content](./kibana-plugin-public.chromehelpextension.content.md)
+
+## ChromeHelpExtension.content property
+
+Custom content to occur below the list of links
+
+<b>Signature:</b>
+
+```typescript
+content?: (element: HTMLDivElement) => () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
index de17ca8d86e37..76e805eb993ad 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [links](./kibana-plugin-public.chromehelpextension.links.md)
-
-## ChromeHelpExtension.links property
-
-Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button
-
-<b>Signature:</b>
-
-```typescript
-links?: ChromeHelpExtensionMenuLink[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [links](./kibana-plugin-public.chromehelpextension.links.md)
+
+## ChromeHelpExtension.links property
+
+Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button
+
+<b>Signature:</b>
+
+```typescript
+links?: ChromeHelpExtensionMenuLink[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
index 6f0007335c555..4c870ef9afba0 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md)
-
-## ChromeHelpExtension interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeHelpExtension 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appName](./kibana-plugin-public.chromehelpextension.appname.md) | <code>string</code> | Provide your plugin's name to create a header for separation |
-|  [content](./kibana-plugin-public.chromehelpextension.content.md) | <code>(element: HTMLDivElement) =&gt; () =&gt; void</code> | Custom content to occur below the list of links |
-|  [links](./kibana-plugin-public.chromehelpextension.links.md) | <code>ChromeHelpExtensionMenuLink[]</code> | Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md)
+
+## ChromeHelpExtension interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeHelpExtension 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appName](./kibana-plugin-public.chromehelpextension.appname.md) | <code>string</code> | Provide your plugin's name to create a header for separation |
+|  [content](./kibana-plugin-public.chromehelpextension.content.md) | <code>(element: HTMLDivElement) =&gt; () =&gt; void</code> | Custom content to occur below the list of links |
+|  [links](./kibana-plugin-public.chromehelpextension.links.md) | <code>ChromeHelpExtensionMenuLink[]</code> | Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
index daca70f3b79c1..3eed2ad36dc03 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md)
-
-## ChromeHelpExtensionMenuCustomLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuCustomLink = EuiButtonEmptyProps & {
-    linkType: 'custom';
-    content: React.ReactNode;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md)
+
+## ChromeHelpExtensionMenuCustomLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuCustomLink = EuiButtonEmptyProps & {
+    linkType: 'custom';
+    content: React.ReactNode;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
index 8dd1c796bebf1..3885712ce9420 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md)
-
-## ChromeHelpExtensionMenuDiscussLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuDiscussLink = EuiButtonEmptyProps & {
-    linkType: 'discuss';
-    href: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md)
+
+## ChromeHelpExtensionMenuDiscussLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuDiscussLink = EuiButtonEmptyProps & {
+    linkType: 'discuss';
+    href: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
index 0114cc245a874..25ea1690154c2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md)
-
-## ChromeHelpExtensionMenuDocumentationLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuDocumentationLink = EuiButtonEmptyProps & {
-    linkType: 'documentation';
-    href: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md)
+
+## ChromeHelpExtensionMenuDocumentationLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuDocumentationLink = EuiButtonEmptyProps & {
+    linkType: 'documentation';
+    href: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
index 5dd33f1a05a7f..2dc1b5b4cee5b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md)
-
-## ChromeHelpExtensionMenuGitHubLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuGitHubLink = EuiButtonEmptyProps & {
-    linkType: 'github';
-    labels: string[];
-    title?: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md)
+
+## ChromeHelpExtensionMenuGitHubLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuGitHubLink = EuiButtonEmptyProps & {
+    linkType: 'github';
+    labels: string[];
+    title?: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
index 072ce165e23c5..ce55fdedab155 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md)
-
-## ChromeHelpExtensionMenuLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuLink = ExclusiveUnion<ChromeHelpExtensionMenuGitHubLink, ExclusiveUnion<ChromeHelpExtensionMenuDiscussLink, ExclusiveUnion<ChromeHelpExtensionMenuDocumentationLink, ChromeHelpExtensionMenuCustomLink>>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md)
+
+## ChromeHelpExtensionMenuLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuLink = ExclusiveUnion<ChromeHelpExtensionMenuGitHubLink, ExclusiveUnion<ChromeHelpExtensionMenuDiscussLink, ExclusiveUnion<ChromeHelpExtensionMenuDocumentationLink, ChromeHelpExtensionMenuCustomLink>>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
index fdf56012e4729..afaef97411774 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md)
-
-## ChromeNavControl interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavControl 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [mount](./kibana-plugin-public.chromenavcontrol.mount.md) | <code>MountPoint</code> |  |
-|  [order](./kibana-plugin-public.chromenavcontrol.order.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md)
+
+## ChromeNavControl interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavControl 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [mount](./kibana-plugin-public.chromenavcontrol.mount.md) | <code>MountPoint</code> |  |
+|  [order](./kibana-plugin-public.chromenavcontrol.order.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
index 3e1f5a1f78f89..6d574900fd16a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [mount](./kibana-plugin-public.chromenavcontrol.mount.md)
-
-## ChromeNavControl.mount property
-
-<b>Signature:</b>
-
-```typescript
-mount: MountPoint;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [mount](./kibana-plugin-public.chromenavcontrol.mount.md)
+
+## ChromeNavControl.mount property
+
+<b>Signature:</b>
+
+```typescript
+mount: MountPoint;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
index 22e84cebab63a..10ad35c602d21 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [order](./kibana-plugin-public.chromenavcontrol.order.md)
-
-## ChromeNavControl.order property
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [order](./kibana-plugin-public.chromenavcontrol.order.md)
+
+## ChromeNavControl.order property
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
index 30b9a6869d1ff..f70e63ff0f2c2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md)
-
-## ChromeNavControls interface
-
-[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavControls 
-```
-
-## Example
-
-Register a left-side nav control rendered with React.
-
-```jsx
-chrome.navControls.registerLeft({
-  mount(targetDomElement) {
-    ReactDOM.mount(<MyControl />, targetDomElement);
-    return () => ReactDOM.unmountComponentAtNode(targetDomElement);
-  }
-})
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [registerLeft(navControl)](./kibana-plugin-public.chromenavcontrols.registerleft.md) | Register a nav control to be presented on the left side of the chrome header. |
-|  [registerRight(navControl)](./kibana-plugin-public.chromenavcontrols.registerright.md) | Register a nav control to be presented on the right side of the chrome header. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md)
+
+## ChromeNavControls interface
+
+[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavControls 
+```
+
+## Example
+
+Register a left-side nav control rendered with React.
+
+```jsx
+chrome.navControls.registerLeft({
+  mount(targetDomElement) {
+    ReactDOM.mount(<MyControl />, targetDomElement);
+    return () => ReactDOM.unmountComponentAtNode(targetDomElement);
+  }
+})
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [registerLeft(navControl)](./kibana-plugin-public.chromenavcontrols.registerleft.md) | Register a nav control to be presented on the left side of the chrome header. |
+|  [registerRight(navControl)](./kibana-plugin-public.chromenavcontrols.registerright.md) | Register a nav control to be presented on the right side of the chrome header. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
index 31867991fc041..72cf45deaa52f 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerLeft](./kibana-plugin-public.chromenavcontrols.registerleft.md)
-
-## ChromeNavControls.registerLeft() method
-
-Register a nav control to be presented on the left side of the chrome header.
-
-<b>Signature:</b>
-
-```typescript
-registerLeft(navControl: ChromeNavControl): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  navControl | <code>ChromeNavControl</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerLeft](./kibana-plugin-public.chromenavcontrols.registerleft.md)
+
+## ChromeNavControls.registerLeft() method
+
+Register a nav control to be presented on the left side of the chrome header.
+
+<b>Signature:</b>
+
+```typescript
+registerLeft(navControl: ChromeNavControl): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  navControl | <code>ChromeNavControl</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
index a6c17803561b2..6e5dab83e6b53 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerRight](./kibana-plugin-public.chromenavcontrols.registerright.md)
-
-## ChromeNavControls.registerRight() method
-
-Register a nav control to be presented on the right side of the chrome header.
-
-<b>Signature:</b>
-
-```typescript
-registerRight(navControl: ChromeNavControl): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  navControl | <code>ChromeNavControl</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerRight](./kibana-plugin-public.chromenavcontrols.registerright.md)
+
+## ChromeNavControls.registerRight() method
+
+Register a nav control to be presented on the right side of the chrome header.
+
+<b>Signature:</b>
+
+```typescript
+registerRight(navControl: ChromeNavControl): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  navControl | <code>ChromeNavControl</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
index 9cb278916dc4a..115dadaaeb31a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [active](./kibana-plugin-public.chromenavlink.active.md)
-
-## ChromeNavLink.active property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Indicates whether or not this app is currently on the screen.
-
-<b>Signature:</b>
-
-```typescript
-readonly active?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [active](./kibana-plugin-public.chromenavlink.active.md)
+
+## ChromeNavLink.active property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Indicates whether or not this app is currently on the screen.
+
+<b>Signature:</b>
+
+```typescript
+readonly active?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
index 780a17617be04..995cf040d9b80 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md)
-
-## ChromeNavLink.baseUrl property
-
-The base route used to open the root of an application.
-
-<b>Signature:</b>
-
-```typescript
-readonly baseUrl: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md)
+
+## ChromeNavLink.baseUrl property
+
+The base route used to open the root of an application.
+
+<b>Signature:</b>
+
+```typescript
+readonly baseUrl: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
index 19d5a43a29307..231bbcddc16c4 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [category](./kibana-plugin-public.chromenavlink.category.md)
-
-## ChromeNavLink.category property
-
-The category the app lives in
-
-<b>Signature:</b>
-
-```typescript
-readonly category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [category](./kibana-plugin-public.chromenavlink.category.md)
+
+## ChromeNavLink.category property
+
+The category the app lives in
+
+<b>Signature:</b>
+
+```typescript
+readonly category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
index d2b30530dd551..c232b095d4047 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [disabled](./kibana-plugin-public.chromenavlink.disabled.md)
-
-## ChromeNavLink.disabled property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Disables a link from being clickable.
-
-<b>Signature:</b>
-
-```typescript
-readonly disabled?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [disabled](./kibana-plugin-public.chromenavlink.disabled.md)
+
+## ChromeNavLink.disabled property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Disables a link from being clickable.
+
+<b>Signature:</b>
+
+```typescript
+readonly disabled?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
index 5373e4705d1b3..2c9f872a97ff2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md)
-
-## ChromeNavLink.euiIconType property
-
-A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
-
-<b>Signature:</b>
-
-```typescript
-readonly euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md)
+
+## ChromeNavLink.euiIconType property
+
+A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
+
+<b>Signature:</b>
+
+```typescript
+readonly euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
index 6d04ab6d78851..e3071ce3f161e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [hidden](./kibana-plugin-public.chromenavlink.hidden.md)
-
-## ChromeNavLink.hidden property
-
-Hides a link from the navigation.
-
-<b>Signature:</b>
-
-```typescript
-readonly hidden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [hidden](./kibana-plugin-public.chromenavlink.hidden.md)
+
+## ChromeNavLink.hidden property
+
+Hides a link from the navigation.
+
+<b>Signature:</b>
+
+```typescript
+readonly hidden?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
index dadb2ab044640..0bad3ba8e192d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [icon](./kibana-plugin-public.chromenavlink.icon.md)
-
-## ChromeNavLink.icon property
-
-A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
-
-<b>Signature:</b>
-
-```typescript
-readonly icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [icon](./kibana-plugin-public.chromenavlink.icon.md)
+
+## ChromeNavLink.icon property
+
+A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
+
+<b>Signature:</b>
+
+```typescript
+readonly icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
index 7fbabc4a42032..a06a9465d19d1 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [id](./kibana-plugin-public.chromenavlink.id.md)
-
-## ChromeNavLink.id property
-
-A unique identifier for looking up links.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [id](./kibana-plugin-public.chromenavlink.id.md)
+
+## ChromeNavLink.id property
+
+A unique identifier for looking up links.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
index 7d76f4dc62be4..826762a29c30f 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md)
-
-## ChromeNavLink.linkToLastSubUrl property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Whether or not the subUrl feature should be enabled.
-
-<b>Signature:</b>
-
-```typescript
-readonly linkToLastSubUrl?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md)
+
+## ChromeNavLink.linkToLastSubUrl property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Whether or not the subUrl feature should be enabled.
+
+<b>Signature:</b>
+
+```typescript
+readonly linkToLastSubUrl?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.md
index 2afd6ce2d58c4..7e7849b1a1358 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md)
-
-## ChromeNavLink interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavLink 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [active](./kibana-plugin-public.chromenavlink.active.md) | <code>boolean</code> | Indicates whether or not this app is currently on the screen. |
-|  [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md) | <code>string</code> | The base route used to open the root of an application. |
-|  [category](./kibana-plugin-public.chromenavlink.category.md) | <code>AppCategory</code> | The category the app lives in |
-|  [disabled](./kibana-plugin-public.chromenavlink.disabled.md) | <code>boolean</code> | Disables a link from being clickable. |
-|  [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
-|  [hidden](./kibana-plugin-public.chromenavlink.hidden.md) | <code>boolean</code> | Hides a link from the navigation. |
-|  [icon](./kibana-plugin-public.chromenavlink.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
-|  [id](./kibana-plugin-public.chromenavlink.id.md) | <code>string</code> | A unique identifier for looking up links. |
-|  [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md) | <code>boolean</code> | Whether or not the subUrl feature should be enabled. |
-|  [order](./kibana-plugin-public.chromenavlink.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
-|  [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md) | <code>string</code> | A url base that legacy apps can set to match deep URLs to an application. |
-|  [title](./kibana-plugin-public.chromenavlink.title.md) | <code>string</code> | The title of the application. |
-|  [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md) | <code>string</code> | A tooltip shown when hovering over an app link. |
-|  [url](./kibana-plugin-public.chromenavlink.url.md) | <code>string</code> | A url that legacy apps can set to deep link into their applications. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md)
+
+## ChromeNavLink interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavLink 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [active](./kibana-plugin-public.chromenavlink.active.md) | <code>boolean</code> | Indicates whether or not this app is currently on the screen. |
+|  [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md) | <code>string</code> | The base route used to open the root of an application. |
+|  [category](./kibana-plugin-public.chromenavlink.category.md) | <code>AppCategory</code> | The category the app lives in |
+|  [disabled](./kibana-plugin-public.chromenavlink.disabled.md) | <code>boolean</code> | Disables a link from being clickable. |
+|  [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
+|  [hidden](./kibana-plugin-public.chromenavlink.hidden.md) | <code>boolean</code> | Hides a link from the navigation. |
+|  [icon](./kibana-plugin-public.chromenavlink.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
+|  [id](./kibana-plugin-public.chromenavlink.id.md) | <code>string</code> | A unique identifier for looking up links. |
+|  [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md) | <code>boolean</code> | Whether or not the subUrl feature should be enabled. |
+|  [order](./kibana-plugin-public.chromenavlink.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
+|  [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md) | <code>string</code> | A url base that legacy apps can set to match deep URLs to an application. |
+|  [title](./kibana-plugin-public.chromenavlink.title.md) | <code>string</code> | The title of the application. |
+|  [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md) | <code>string</code> | A tooltip shown when hovering over an app link. |
+|  [url](./kibana-plugin-public.chromenavlink.url.md) | <code>string</code> | A url that legacy apps can set to deep link into their applications. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
index 1fef9fc1dc359..6716d4ce8668d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [order](./kibana-plugin-public.chromenavlink.order.md)
-
-## ChromeNavLink.order property
-
-An ordinal used to sort nav links relative to one another for display.
-
-<b>Signature:</b>
-
-```typescript
-readonly order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [order](./kibana-plugin-public.chromenavlink.order.md)
+
+## ChromeNavLink.order property
+
+An ordinal used to sort nav links relative to one another for display.
+
+<b>Signature:</b>
+
+```typescript
+readonly order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
index 1b8fb0574cf8b..055b39e996880 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md)
-
-## ChromeNavLink.subUrlBase property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A url base that legacy apps can set to match deep URLs to an application.
-
-<b>Signature:</b>
-
-```typescript
-readonly subUrlBase?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md)
+
+## ChromeNavLink.subUrlBase property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A url base that legacy apps can set to match deep URLs to an application.
+
+<b>Signature:</b>
+
+```typescript
+readonly subUrlBase?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
index a693b971d5178..6129165a0bce1 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [title](./kibana-plugin-public.chromenavlink.title.md)
-
-## ChromeNavLink.title property
-
-The title of the application.
-
-<b>Signature:</b>
-
-```typescript
-readonly title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [title](./kibana-plugin-public.chromenavlink.title.md)
+
+## ChromeNavLink.title property
+
+The title of the application.
+
+<b>Signature:</b>
+
+```typescript
+readonly title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
index e1ff92d8d7442..4df513f986680 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md)
-
-## ChromeNavLink.tooltip property
-
-A tooltip shown when hovering over an app link.
-
-<b>Signature:</b>
-
-```typescript
-readonly tooltip?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md)
+
+## ChromeNavLink.tooltip property
+
+A tooltip shown when hovering over an app link.
+
+<b>Signature:</b>
+
+```typescript
+readonly tooltip?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
index 33bd8fa3411d4..d8589cf3e5223 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [url](./kibana-plugin-public.chromenavlink.url.md)
-
-## ChromeNavLink.url property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A url that legacy apps can set to deep link into their applications.
-
-<b>Signature:</b>
-
-```typescript
-readonly url?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [url](./kibana-plugin-public.chromenavlink.url.md)
+
+## ChromeNavLink.url property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A url that legacy apps can set to deep link into their applications.
+
+<b>Signature:</b>
+
+```typescript
+readonly url?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
index 3a057f096959a..768b3a977928a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [enableForcedAppSwitcherNavigation](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md)
-
-## ChromeNavLinks.enableForcedAppSwitcherNavigation() method
-
-Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated.
-
-<b>Signature:</b>
-
-```typescript
-enableForcedAppSwitcherNavigation(): void;
-```
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-This is only necessary when rendering the status page in place of another app, as links to that app will set the current URL and change the hash, but the routes for the correct are not loaded so nothing will happen. https://github.com/elastic/kibana/pull/29770
-
-Used only by status\_page plugin
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [enableForcedAppSwitcherNavigation](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md)
+
+## ChromeNavLinks.enableForcedAppSwitcherNavigation() method
+
+Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated.
+
+<b>Signature:</b>
+
+```typescript
+enableForcedAppSwitcherNavigation(): void;
+```
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+This is only necessary when rendering the status page in place of another app, as links to that app will set the current URL and change the hash, but the routes for the correct are not loaded so nothing will happen. https://github.com/elastic/kibana/pull/29770
+
+Used only by status\_page plugin
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
index fb20c3eaeb43a..3018a31ea43fa 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [get](./kibana-plugin-public.chromenavlinks.get.md)
-
-## ChromeNavLinks.get() method
-
-Get the state of a navlink at this point in time.
-
-<b>Signature:</b>
-
-```typescript
-get(id: string): ChromeNavLink | undefined;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ChromeNavLink | undefined`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [get](./kibana-plugin-public.chromenavlinks.get.md)
+
+## ChromeNavLinks.get() method
+
+Get the state of a navlink at this point in time.
+
+<b>Signature:</b>
+
+```typescript
+get(id: string): ChromeNavLink | undefined;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ChromeNavLink | undefined`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
index b483ba485139e..c80cf764927f5 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getAll](./kibana-plugin-public.chromenavlinks.getall.md)
-
-## ChromeNavLinks.getAll() method
-
-Get the current state of all navlinks.
-
-<b>Signature:</b>
-
-```typescript
-getAll(): Array<Readonly<ChromeNavLink>>;
-```
-<b>Returns:</b>
-
-`Array<Readonly<ChromeNavLink>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getAll](./kibana-plugin-public.chromenavlinks.getall.md)
+
+## ChromeNavLinks.getAll() method
+
+Get the current state of all navlinks.
+
+<b>Signature:</b>
+
+```typescript
+getAll(): Array<Readonly<ChromeNavLink>>;
+```
+<b>Returns:</b>
+
+`Array<Readonly<ChromeNavLink>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
index f31e30fbda3fa..3f8cf7118172e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getForceAppSwitcherNavigation$](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md)
-
-## ChromeNavLinks.getForceAppSwitcherNavigation$() method
-
-An observable of the forced app switcher state.
-
-<b>Signature:</b>
-
-```typescript
-getForceAppSwitcherNavigation$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getForceAppSwitcherNavigation$](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md)
+
+## ChromeNavLinks.getForceAppSwitcherNavigation$() method
+
+An observable of the forced app switcher state.
+
+<b>Signature:</b>
+
+```typescript
+getForceAppSwitcherNavigation$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
index c455b1c6c1446..628544c2b0081 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getNavLinks$](./kibana-plugin-public.chromenavlinks.getnavlinks_.md)
-
-## ChromeNavLinks.getNavLinks$() method
-
-Get an observable for a sorted list of navlinks.
-
-<b>Signature:</b>
-
-```typescript
-getNavLinks$(): Observable<Array<Readonly<ChromeNavLink>>>;
-```
-<b>Returns:</b>
-
-`Observable<Array<Readonly<ChromeNavLink>>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getNavLinks$](./kibana-plugin-public.chromenavlinks.getnavlinks_.md)
+
+## ChromeNavLinks.getNavLinks$() method
+
+Get an observable for a sorted list of navlinks.
+
+<b>Signature:</b>
+
+```typescript
+getNavLinks$(): Observable<Array<Readonly<ChromeNavLink>>>;
+```
+<b>Returns:</b>
+
+`Observable<Array<Readonly<ChromeNavLink>>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
index 6deb57d9548c6..9f0267a3d09d4 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [has](./kibana-plugin-public.chromenavlinks.has.md)
-
-## ChromeNavLinks.has() method
-
-Check whether or not a navlink exists.
-
-<b>Signature:</b>
-
-```typescript
-has(id: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [has](./kibana-plugin-public.chromenavlinks.has.md)
+
+## ChromeNavLinks.has() method
+
+Check whether or not a navlink exists.
+
+<b>Signature:</b>
+
+```typescript
+has(id: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
index 280277911c695..3a8222c97cd97 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md)
-
-## ChromeNavLinks interface
-
-[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavLinks 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [enableForcedAppSwitcherNavigation()](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md) | Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated. |
-|  [get(id)](./kibana-plugin-public.chromenavlinks.get.md) | Get the state of a navlink at this point in time. |
-|  [getAll()](./kibana-plugin-public.chromenavlinks.getall.md) | Get the current state of all navlinks. |
-|  [getForceAppSwitcherNavigation$()](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md) | An observable of the forced app switcher state. |
-|  [getNavLinks$()](./kibana-plugin-public.chromenavlinks.getnavlinks_.md) | Get an observable for a sorted list of navlinks. |
-|  [has(id)](./kibana-plugin-public.chromenavlinks.has.md) | Check whether or not a navlink exists. |
-|  [showOnly(id)](./kibana-plugin-public.chromenavlinks.showonly.md) | Remove all navlinks except the one matching the given id. |
-|  [update(id, values)](./kibana-plugin-public.chromenavlinks.update.md) | Update the navlink for the given id with the updated attributes. Returns the updated navlink or <code>undefined</code> if it does not exist. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md)
+
+## ChromeNavLinks interface
+
+[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavLinks 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [enableForcedAppSwitcherNavigation()](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md) | Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated. |
+|  [get(id)](./kibana-plugin-public.chromenavlinks.get.md) | Get the state of a navlink at this point in time. |
+|  [getAll()](./kibana-plugin-public.chromenavlinks.getall.md) | Get the current state of all navlinks. |
+|  [getForceAppSwitcherNavigation$()](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md) | An observable of the forced app switcher state. |
+|  [getNavLinks$()](./kibana-plugin-public.chromenavlinks.getnavlinks_.md) | Get an observable for a sorted list of navlinks. |
+|  [has(id)](./kibana-plugin-public.chromenavlinks.has.md) | Check whether or not a navlink exists. |
+|  [showOnly(id)](./kibana-plugin-public.chromenavlinks.showonly.md) | Remove all navlinks except the one matching the given id. |
+|  [update(id, values)](./kibana-plugin-public.chromenavlinks.update.md) | Update the navlink for the given id with the updated attributes. Returns the updated navlink or <code>undefined</code> if it does not exist. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
index 0fdb0bba0faa8..3746f3491844b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [showOnly](./kibana-plugin-public.chromenavlinks.showonly.md)
-
-## ChromeNavLinks.showOnly() method
-
-Remove all navlinks except the one matching the given id.
-
-<b>Signature:</b>
-
-```typescript
-showOnly(id: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-NOTE: this is not reversible.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [showOnly](./kibana-plugin-public.chromenavlinks.showonly.md)
+
+## ChromeNavLinks.showOnly() method
+
+Remove all navlinks except the one matching the given id.
+
+<b>Signature:</b>
+
+```typescript
+showOnly(id: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+NOTE: this is not reversible.
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
index 155d149f334a1..d1cd2d3b04950 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [update](./kibana-plugin-public.chromenavlinks.update.md)
-
-## ChromeNavLinks.update() method
-
-> Warning: This API is now obsolete.
-> 
-> Uses the [AppBase.updater$](./kibana-plugin-public.appbase.updater_.md) property when registering your application with [ApplicationSetup.register()](./kibana-plugin-public.applicationsetup.register.md) instead.
-> 
-
-Update the navlink for the given id with the updated attributes. Returns the updated navlink or `undefined` if it does not exist.
-
-<b>Signature:</b>
-
-```typescript
-update(id: string, values: ChromeNavLinkUpdateableFields): ChromeNavLink | undefined;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-|  values | <code>ChromeNavLinkUpdateableFields</code> |  |
-
-<b>Returns:</b>
-
-`ChromeNavLink | undefined`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [update](./kibana-plugin-public.chromenavlinks.update.md)
+
+## ChromeNavLinks.update() method
+
+> Warning: This API is now obsolete.
+> 
+> Uses the [AppBase.updater$](./kibana-plugin-public.appbase.updater_.md) property when registering your application with [ApplicationSetup.register()](./kibana-plugin-public.applicationsetup.register.md) instead.
+> 
+
+Update the navlink for the given id with the updated attributes. Returns the updated navlink or `undefined` if it does not exist.
+
+<b>Signature:</b>
+
+```typescript
+update(id: string, values: ChromeNavLinkUpdateableFields): ChromeNavLink | undefined;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+|  values | <code>ChromeNavLinkUpdateableFields</code> |  |
+
+<b>Returns:</b>
+
+`ChromeNavLink | undefined`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md b/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
index f8be488c170a2..6b17174975db9 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md)
-
-## ChromeNavLinkUpdateableFields type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeNavLinkUpdateableFields = Partial<Pick<ChromeNavLink, 'active' | 'disabled' | 'hidden' | 'url' | 'subUrlBase'>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md)
+
+## ChromeNavLinkUpdateableFields type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeNavLinkUpdateableFields = Partial<Pick<ChromeNavLink, 'active' | 'disabled' | 'hidden' | 'url' | 'subUrlBase'>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
index 428f9a0d990bc..8d780f3c5d537 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [add](./kibana-plugin-public.chromerecentlyaccessed.add.md)
-
-## ChromeRecentlyAccessed.add() method
-
-Adds a new item to the recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-add(link: string, label: string, id: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  link | <code>string</code> |  |
-|  label | <code>string</code> |  |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [add](./kibana-plugin-public.chromerecentlyaccessed.add.md)
+
+## ChromeRecentlyAccessed.add() method
+
+Adds a new item to the recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+add(link: string, label: string, id: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  link | <code>string</code> |  |
+|  label | <code>string</code> |  |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
index 39f2ac6003a57..b176abb44a002 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get](./kibana-plugin-public.chromerecentlyaccessed.get.md)
-
-## ChromeRecentlyAccessed.get() method
-
-Gets an Array of the current recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-get(): ChromeRecentlyAccessedHistoryItem[];
-```
-<b>Returns:</b>
-
-`ChromeRecentlyAccessedHistoryItem[]`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.get().forEach(console.log);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get](./kibana-plugin-public.chromerecentlyaccessed.get.md)
+
+## ChromeRecentlyAccessed.get() method
+
+Gets an Array of the current recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+get(): ChromeRecentlyAccessedHistoryItem[];
+```
+<b>Returns:</b>
+
+`ChromeRecentlyAccessedHistoryItem[]`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.get().forEach(console.log);
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
index 92452b185d673..d6b4e9f6b4f91 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get$](./kibana-plugin-public.chromerecentlyaccessed.get_.md)
-
-## ChromeRecentlyAccessed.get$() method
-
-Gets an Observable of the array of recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-get$(): Observable<ChromeRecentlyAccessedHistoryItem[]>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeRecentlyAccessedHistoryItem[]>`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.get$().subscribe(console.log);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get$](./kibana-plugin-public.chromerecentlyaccessed.get_.md)
+
+## ChromeRecentlyAccessed.get$() method
+
+Gets an Observable of the array of recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+get$(): Observable<ChromeRecentlyAccessedHistoryItem[]>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeRecentlyAccessedHistoryItem[]>`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.get$().subscribe(console.log);
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
index 014435b6bc6ef..ed395ae3e7a0e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md)
-
-## ChromeRecentlyAccessed interface
-
-[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeRecentlyAccessed 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [add(link, label, id)](./kibana-plugin-public.chromerecentlyaccessed.add.md) | Adds a new item to the recently accessed history. |
-|  [get()](./kibana-plugin-public.chromerecentlyaccessed.get.md) | Gets an Array of the current recently accessed history. |
-|  [get$()](./kibana-plugin-public.chromerecentlyaccessed.get_.md) | Gets an Observable of the array of recently accessed history. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md)
+
+## ChromeRecentlyAccessed interface
+
+[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeRecentlyAccessed 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [add(link, label, id)](./kibana-plugin-public.chromerecentlyaccessed.add.md) | Adds a new item to the recently accessed history. |
+|  [get()](./kibana-plugin-public.chromerecentlyaccessed.get.md) | Gets an Array of the current recently accessed history. |
+|  [get$()](./kibana-plugin-public.chromerecentlyaccessed.get_.md) | Gets an Observable of the array of recently accessed history. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
index b95ac60ce91df..ea35caaae183b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md)
-
-## ChromeRecentlyAccessedHistoryItem.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md)
+
+## ChromeRecentlyAccessedHistoryItem.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
index 2d289ad168721..6649890acfd0d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md)
-
-## ChromeRecentlyAccessedHistoryItem.label property
-
-<b>Signature:</b>
-
-```typescript
-label: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md)
+
+## ChromeRecentlyAccessedHistoryItem.label property
+
+<b>Signature:</b>
+
+```typescript
+label: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
index 3123d6a5e0d79..ef4c494474c88 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md)
-
-## ChromeRecentlyAccessedHistoryItem.link property
-
-<b>Signature:</b>
-
-```typescript
-link: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md)
+
+## ChromeRecentlyAccessedHistoryItem.link property
+
+<b>Signature:</b>
+
+```typescript
+link: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
index 1f74608e4e0f5..6c526296f1278 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md)
-
-## ChromeRecentlyAccessedHistoryItem interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeRecentlyAccessedHistoryItem 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md) | <code>string</code> |  |
-|  [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md) | <code>string</code> |  |
-|  [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md)
+
+## ChromeRecentlyAccessedHistoryItem interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeRecentlyAccessedHistoryItem 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md) | <code>string</code> |  |
+|  [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md) | <code>string</code> |  |
+|  [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md b/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
index b74542014b89c..31729f6320d13 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [addApplicationClass](./kibana-plugin-public.chromestart.addapplicationclass.md)
-
-## ChromeStart.addApplicationClass() method
-
-Add a className that should be set on the application container.
-
-<b>Signature:</b>
-
-```typescript
-addApplicationClass(className: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  className | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [addApplicationClass](./kibana-plugin-public.chromestart.addapplicationclass.md)
+
+## ChromeStart.addApplicationClass() method
+
+Add a className that should be set on the application container.
+
+<b>Signature:</b>
+
+```typescript
+addApplicationClass(className: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  className | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md b/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
index 71eda64c24646..100afe2ae0c6e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [docTitle](./kibana-plugin-public.chromestart.doctitle.md)
-
-## ChromeStart.docTitle property
-
-APIs for accessing and updating the document title.
-
-<b>Signature:</b>
-
-```typescript
-docTitle: ChromeDocTitle;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [docTitle](./kibana-plugin-public.chromestart.doctitle.md)
+
+## ChromeStart.docTitle property
+
+APIs for accessing and updating the document title.
+
+<b>Signature:</b>
+
+```typescript
+docTitle: ChromeDocTitle;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
index f01710478c635..51f5253ede161 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getApplicationClasses$](./kibana-plugin-public.chromestart.getapplicationclasses_.md)
-
-## ChromeStart.getApplicationClasses$() method
-
-Get the current set of classNames that will be set on the application container.
-
-<b>Signature:</b>
-
-```typescript
-getApplicationClasses$(): Observable<string[]>;
-```
-<b>Returns:</b>
-
-`Observable<string[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getApplicationClasses$](./kibana-plugin-public.chromestart.getapplicationclasses_.md)
+
+## ChromeStart.getApplicationClasses$() method
+
+Get the current set of classNames that will be set on the application container.
+
+<b>Signature:</b>
+
+```typescript
+getApplicationClasses$(): Observable<string[]>;
+```
+<b>Returns:</b>
+
+`Observable<string[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
index 36f98defeb51e..36b5c942e8dc2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBadge$](./kibana-plugin-public.chromestart.getbadge_.md)
-
-## ChromeStart.getBadge$() method
-
-Get an observable of the current badge
-
-<b>Signature:</b>
-
-```typescript
-getBadge$(): Observable<ChromeBadge | undefined>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBadge | undefined>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBadge$](./kibana-plugin-public.chromestart.getbadge_.md)
+
+## ChromeStart.getBadge$() method
+
+Get an observable of the current badge
+
+<b>Signature:</b>
+
+```typescript
+getBadge$(): Observable<ChromeBadge | undefined>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBadge | undefined>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
index aab0f13070fbc..7010ccd632f4a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBrand$](./kibana-plugin-public.chromestart.getbrand_.md)
-
-## ChromeStart.getBrand$() method
-
-Get an observable of the current brand information.
-
-<b>Signature:</b>
-
-```typescript
-getBrand$(): Observable<ChromeBrand>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBrand>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBrand$](./kibana-plugin-public.chromestart.getbrand_.md)
+
+## ChromeStart.getBrand$() method
+
+Get an observable of the current brand information.
+
+<b>Signature:</b>
+
+```typescript
+getBrand$(): Observable<ChromeBrand>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBrand>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
index 38fc384d6a704..ac97863f16ad0 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBreadcrumbs$](./kibana-plugin-public.chromestart.getbreadcrumbs_.md)
-
-## ChromeStart.getBreadcrumbs$() method
-
-Get an observable of the current list of breadcrumbs
-
-<b>Signature:</b>
-
-```typescript
-getBreadcrumbs$(): Observable<ChromeBreadcrumb[]>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBreadcrumb[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBreadcrumbs$](./kibana-plugin-public.chromestart.getbreadcrumbs_.md)
+
+## ChromeStart.getBreadcrumbs$() method
+
+Get an observable of the current list of breadcrumbs
+
+<b>Signature:</b>
+
+```typescript
+getBreadcrumbs$(): Observable<ChromeBreadcrumb[]>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBreadcrumb[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md b/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
index 6008a4f29506d..ff642651cedef 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getHelpExtension$](./kibana-plugin-public.chromestart.gethelpextension_.md)
-
-## ChromeStart.getHelpExtension$() method
-
-Get an observable of the current custom help conttent
-
-<b>Signature:</b>
-
-```typescript
-getHelpExtension$(): Observable<ChromeHelpExtension | undefined>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeHelpExtension | undefined>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getHelpExtension$](./kibana-plugin-public.chromestart.gethelpextension_.md)
+
+## ChromeStart.getHelpExtension$() method
+
+Get an observable of the current custom help conttent
+
+<b>Signature:</b>
+
+```typescript
+getHelpExtension$(): Observable<ChromeHelpExtension | undefined>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeHelpExtension | undefined>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
index 59871a78c4100..98a1d3bfdd42e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsCollapsed$](./kibana-plugin-public.chromestart.getiscollapsed_.md)
-
-## ChromeStart.getIsCollapsed$() method
-
-Get an observable of the current collapsed state of the chrome.
-
-<b>Signature:</b>
-
-```typescript
-getIsCollapsed$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsCollapsed$](./kibana-plugin-public.chromestart.getiscollapsed_.md)
+
+## ChromeStart.getIsCollapsed$() method
+
+Get an observable of the current collapsed state of the chrome.
+
+<b>Signature:</b>
+
+```typescript
+getIsCollapsed$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
index f597dbd194109..8772b30cf8c8e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsVisible$](./kibana-plugin-public.chromestart.getisvisible_.md)
-
-## ChromeStart.getIsVisible$() method
-
-Get an observable of the current visibility state of the chrome.
-
-<b>Signature:</b>
-
-```typescript
-getIsVisible$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsVisible$](./kibana-plugin-public.chromestart.getisvisible_.md)
+
+## ChromeStart.getIsVisible$() method
+
+Get an observable of the current visibility state of the chrome.
+
+<b>Signature:</b>
+
+```typescript
+getIsVisible$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.md b/docs/development/core/public/kibana-plugin-public.chromestart.md
index 4e44e5bf05074..4b79f682d4e40 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.md
@@ -1,70 +1,70 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md)
-
-## ChromeStart interface
-
-ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeStart 
-```
-
-## Remarks
-
-While ChromeStart exposes many APIs, they should be used sparingly and the developer should understand how they affect other plugins and applications.
-
-## Example 1
-
-How to add a recently accessed item to the sidebar:
-
-```ts
-core.chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
-
-```
-
-## Example 2
-
-How to set the help dropdown extension:
-
-```tsx
-core.chrome.setHelpExtension(elem => {
-  ReactDOM.render(<MyHelpComponent />, elem);
-  return () => ReactDOM.unmountComponentAtNode(elem);
-});
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [docTitle](./kibana-plugin-public.chromestart.doctitle.md) | <code>ChromeDocTitle</code> | APIs for accessing and updating the document title. |
-|  [navControls](./kibana-plugin-public.chromestart.navcontrols.md) | <code>ChromeNavControls</code> | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
-|  [navLinks](./kibana-plugin-public.chromestart.navlinks.md) | <code>ChromeNavLinks</code> | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
-|  [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md) | <code>ChromeRecentlyAccessed</code> | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [addApplicationClass(className)](./kibana-plugin-public.chromestart.addapplicationclass.md) | Add a className that should be set on the application container. |
-|  [getApplicationClasses$()](./kibana-plugin-public.chromestart.getapplicationclasses_.md) | Get the current set of classNames that will be set on the application container. |
-|  [getBadge$()](./kibana-plugin-public.chromestart.getbadge_.md) | Get an observable of the current badge |
-|  [getBrand$()](./kibana-plugin-public.chromestart.getbrand_.md) | Get an observable of the current brand information. |
-|  [getBreadcrumbs$()](./kibana-plugin-public.chromestart.getbreadcrumbs_.md) | Get an observable of the current list of breadcrumbs |
-|  [getHelpExtension$()](./kibana-plugin-public.chromestart.gethelpextension_.md) | Get an observable of the current custom help conttent |
-|  [getIsCollapsed$()](./kibana-plugin-public.chromestart.getiscollapsed_.md) | Get an observable of the current collapsed state of the chrome. |
-|  [getIsVisible$()](./kibana-plugin-public.chromestart.getisvisible_.md) | Get an observable of the current visibility state of the chrome. |
-|  [removeApplicationClass(className)](./kibana-plugin-public.chromestart.removeapplicationclass.md) | Remove a className added with <code>addApplicationClass()</code>. If className is unknown it is ignored. |
-|  [setAppTitle(appTitle)](./kibana-plugin-public.chromestart.setapptitle.md) | Sets the current app's title |
-|  [setBadge(badge)](./kibana-plugin-public.chromestart.setbadge.md) | Override the current badge |
-|  [setBrand(brand)](./kibana-plugin-public.chromestart.setbrand.md) | Set the brand configuration. |
-|  [setBreadcrumbs(newBreadcrumbs)](./kibana-plugin-public.chromestart.setbreadcrumbs.md) | Override the current set of breadcrumbs |
-|  [setHelpExtension(helpExtension)](./kibana-plugin-public.chromestart.sethelpextension.md) | Override the current set of custom help content |
-|  [setHelpSupportUrl(url)](./kibana-plugin-public.chromestart.sethelpsupporturl.md) | Override the default support URL shown in the help menu |
-|  [setIsCollapsed(isCollapsed)](./kibana-plugin-public.chromestart.setiscollapsed.md) | Set the collapsed state of the chrome navigation. |
-|  [setIsVisible(isVisible)](./kibana-plugin-public.chromestart.setisvisible.md) | Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md)
+
+## ChromeStart interface
+
+ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeStart 
+```
+
+## Remarks
+
+While ChromeStart exposes many APIs, they should be used sparingly and the developer should understand how they affect other plugins and applications.
+
+## Example 1
+
+How to add a recently accessed item to the sidebar:
+
+```ts
+core.chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
+
+```
+
+## Example 2
+
+How to set the help dropdown extension:
+
+```tsx
+core.chrome.setHelpExtension(elem => {
+  ReactDOM.render(<MyHelpComponent />, elem);
+  return () => ReactDOM.unmountComponentAtNode(elem);
+});
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [docTitle](./kibana-plugin-public.chromestart.doctitle.md) | <code>ChromeDocTitle</code> | APIs for accessing and updating the document title. |
+|  [navControls](./kibana-plugin-public.chromestart.navcontrols.md) | <code>ChromeNavControls</code> | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
+|  [navLinks](./kibana-plugin-public.chromestart.navlinks.md) | <code>ChromeNavLinks</code> | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
+|  [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md) | <code>ChromeRecentlyAccessed</code> | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [addApplicationClass(className)](./kibana-plugin-public.chromestart.addapplicationclass.md) | Add a className that should be set on the application container. |
+|  [getApplicationClasses$()](./kibana-plugin-public.chromestart.getapplicationclasses_.md) | Get the current set of classNames that will be set on the application container. |
+|  [getBadge$()](./kibana-plugin-public.chromestart.getbadge_.md) | Get an observable of the current badge |
+|  [getBrand$()](./kibana-plugin-public.chromestart.getbrand_.md) | Get an observable of the current brand information. |
+|  [getBreadcrumbs$()](./kibana-plugin-public.chromestart.getbreadcrumbs_.md) | Get an observable of the current list of breadcrumbs |
+|  [getHelpExtension$()](./kibana-plugin-public.chromestart.gethelpextension_.md) | Get an observable of the current custom help conttent |
+|  [getIsCollapsed$()](./kibana-plugin-public.chromestart.getiscollapsed_.md) | Get an observable of the current collapsed state of the chrome. |
+|  [getIsVisible$()](./kibana-plugin-public.chromestart.getisvisible_.md) | Get an observable of the current visibility state of the chrome. |
+|  [removeApplicationClass(className)](./kibana-plugin-public.chromestart.removeapplicationclass.md) | Remove a className added with <code>addApplicationClass()</code>. If className is unknown it is ignored. |
+|  [setAppTitle(appTitle)](./kibana-plugin-public.chromestart.setapptitle.md) | Sets the current app's title |
+|  [setBadge(badge)](./kibana-plugin-public.chromestart.setbadge.md) | Override the current badge |
+|  [setBrand(brand)](./kibana-plugin-public.chromestart.setbrand.md) | Set the brand configuration. |
+|  [setBreadcrumbs(newBreadcrumbs)](./kibana-plugin-public.chromestart.setbreadcrumbs.md) | Override the current set of breadcrumbs |
+|  [setHelpExtension(helpExtension)](./kibana-plugin-public.chromestart.sethelpextension.md) | Override the current set of custom help content |
+|  [setHelpSupportUrl(url)](./kibana-plugin-public.chromestart.sethelpsupporturl.md) | Override the default support URL shown in the help menu |
+|  [setIsCollapsed(isCollapsed)](./kibana-plugin-public.chromestart.setiscollapsed.md) | Set the collapsed state of the chrome navigation. |
+|  [setIsVisible(isVisible)](./kibana-plugin-public.chromestart.setisvisible.md) | Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md b/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
index 0a8e0e5c6da2b..0ba72348499d2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navControls](./kibana-plugin-public.chromestart.navcontrols.md)
-
-## ChromeStart.navControls property
-
-[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
-
-<b>Signature:</b>
-
-```typescript
-navControls: ChromeNavControls;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navControls](./kibana-plugin-public.chromestart.navcontrols.md)
+
+## ChromeStart.navControls property
+
+[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
+
+<b>Signature:</b>
+
+```typescript
+navControls: ChromeNavControls;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md b/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
index 047e72d9ce819..db512ed83942d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navLinks](./kibana-plugin-public.chromestart.navlinks.md)
-
-## ChromeStart.navLinks property
-
-[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: ChromeNavLinks;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navLinks](./kibana-plugin-public.chromestart.navlinks.md)
+
+## ChromeStart.navLinks property
+
+[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: ChromeNavLinks;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md b/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
index d2e54ca956cae..14b85cea366ec 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md)
-
-## ChromeStart.recentlyAccessed property
-
-[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-recentlyAccessed: ChromeRecentlyAccessed;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md)
+
+## ChromeStart.recentlyAccessed property
+
+[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+recentlyAccessed: ChromeRecentlyAccessed;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md b/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
index 73a0f65449a20..3b5ca813218dc 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [removeApplicationClass](./kibana-plugin-public.chromestart.removeapplicationclass.md)
-
-## ChromeStart.removeApplicationClass() method
-
-Remove a className added with `addApplicationClass()`<!-- -->. If className is unknown it is ignored.
-
-<b>Signature:</b>
-
-```typescript
-removeApplicationClass(className: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  className | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [removeApplicationClass](./kibana-plugin-public.chromestart.removeapplicationclass.md)
+
+## ChromeStart.removeApplicationClass() method
+
+Remove a className added with `addApplicationClass()`<!-- -->. If className is unknown it is ignored.
+
+<b>Signature:</b>
+
+```typescript
+removeApplicationClass(className: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  className | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md b/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
index ec24b77f127fe..4927bd58b19af 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setAppTitle](./kibana-plugin-public.chromestart.setapptitle.md)
-
-## ChromeStart.setAppTitle() method
-
-Sets the current app's title
-
-<b>Signature:</b>
-
-```typescript
-setAppTitle(appTitle: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appTitle | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setAppTitle](./kibana-plugin-public.chromestart.setapptitle.md)
+
+## ChromeStart.setAppTitle() method
+
+Sets the current app's title
+
+<b>Signature:</b>
+
+```typescript
+setAppTitle(appTitle: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appTitle | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
index a9da8e2fec641..cbbe408c1a791 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBadge](./kibana-plugin-public.chromestart.setbadge.md)
-
-## ChromeStart.setBadge() method
-
-Override the current badge
-
-<b>Signature:</b>
-
-```typescript
-setBadge(badge?: ChromeBadge): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  badge | <code>ChromeBadge</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBadge](./kibana-plugin-public.chromestart.setbadge.md)
+
+## ChromeStart.setBadge() method
+
+Override the current badge
+
+<b>Signature:</b>
+
+```typescript
+setBadge(badge?: ChromeBadge): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  badge | <code>ChromeBadge</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
index 3fcf9df612594..487dcb227ba23 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
@@ -1,39 +1,39 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBrand](./kibana-plugin-public.chromestart.setbrand.md)
-
-## ChromeStart.setBrand() method
-
-Set the brand configuration.
-
-<b>Signature:</b>
-
-```typescript
-setBrand(brand: ChromeBrand): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  brand | <code>ChromeBrand</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-Normally the `logo` property will be rendered as the CSS background for the home link in the chrome navigation, but when the page is rendered in a small window the `smallLogo` will be used and rendered at about 45px wide.
-
-## Example
-
-
-```js
-chrome.setBrand({
-  logo: 'url(/plugins/app/logo.png) center no-repeat'
-  smallLogo: 'url(/plugins/app/logo-small.png) center no-repeat'
-})
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBrand](./kibana-plugin-public.chromestart.setbrand.md)
+
+## ChromeStart.setBrand() method
+
+Set the brand configuration.
+
+<b>Signature:</b>
+
+```typescript
+setBrand(brand: ChromeBrand): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  brand | <code>ChromeBrand</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+Normally the `logo` property will be rendered as the CSS background for the home link in the chrome navigation, but when the page is rendered in a small window the `smallLogo` will be used and rendered at about 45px wide.
+
+## Example
+
+
+```js
+chrome.setBrand({
+  logo: 'url(/plugins/app/logo.png) center no-repeat'
+  smallLogo: 'url(/plugins/app/logo-small.png) center no-repeat'
+})
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
index a533ea34a9106..0c54d123454e0 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBreadcrumbs](./kibana-plugin-public.chromestart.setbreadcrumbs.md)
-
-## ChromeStart.setBreadcrumbs() method
-
-Override the current set of breadcrumbs
-
-<b>Signature:</b>
-
-```typescript
-setBreadcrumbs(newBreadcrumbs: ChromeBreadcrumb[]): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  newBreadcrumbs | <code>ChromeBreadcrumb[]</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBreadcrumbs](./kibana-plugin-public.chromestart.setbreadcrumbs.md)
+
+## ChromeStart.setBreadcrumbs() method
+
+Override the current set of breadcrumbs
+
+<b>Signature:</b>
+
+```typescript
+setBreadcrumbs(newBreadcrumbs: ChromeBreadcrumb[]): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  newBreadcrumbs | <code>ChromeBreadcrumb[]</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
index 900848e7756e2..1cfa1b19cb0fe 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpExtension](./kibana-plugin-public.chromestart.sethelpextension.md)
-
-## ChromeStart.setHelpExtension() method
-
-Override the current set of custom help content
-
-<b>Signature:</b>
-
-```typescript
-setHelpExtension(helpExtension?: ChromeHelpExtension): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  helpExtension | <code>ChromeHelpExtension</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpExtension](./kibana-plugin-public.chromestart.sethelpextension.md)
+
+## ChromeStart.setHelpExtension() method
+
+Override the current set of custom help content
+
+<b>Signature:</b>
+
+```typescript
+setHelpExtension(helpExtension?: ChromeHelpExtension): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  helpExtension | <code>ChromeHelpExtension</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
index 975283ce59cb7..9f1869bf3f950 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpSupportUrl](./kibana-plugin-public.chromestart.sethelpsupporturl.md)
-
-## ChromeStart.setHelpSupportUrl() method
-
-Override the default support URL shown in the help menu
-
-<b>Signature:</b>
-
-```typescript
-setHelpSupportUrl(url: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  url | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpSupportUrl](./kibana-plugin-public.chromestart.sethelpsupporturl.md)
+
+## ChromeStart.setHelpSupportUrl() method
+
+Override the default support URL shown in the help menu
+
+<b>Signature:</b>
+
+```typescript
+setHelpSupportUrl(url: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  url | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md b/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
index 59732bf103acc..8cfa2bd9ba6d9 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsCollapsed](./kibana-plugin-public.chromestart.setiscollapsed.md)
-
-## ChromeStart.setIsCollapsed() method
-
-Set the collapsed state of the chrome navigation.
-
-<b>Signature:</b>
-
-```typescript
-setIsCollapsed(isCollapsed: boolean): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  isCollapsed | <code>boolean</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsCollapsed](./kibana-plugin-public.chromestart.setiscollapsed.md)
+
+## ChromeStart.setIsCollapsed() method
+
+Set the collapsed state of the chrome navigation.
+
+<b>Signature:</b>
+
+```typescript
+setIsCollapsed(isCollapsed: boolean): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  isCollapsed | <code>boolean</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md b/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
index 1536c82f00086..471efb270416a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsVisible](./kibana-plugin-public.chromestart.setisvisible.md)
-
-## ChromeStart.setIsVisible() method
-
-Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button.
-
-<b>Signature:</b>
-
-```typescript
-setIsVisible(isVisible: boolean): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  isVisible | <code>boolean</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsVisible](./kibana-plugin-public.chromestart.setisvisible.md)
+
+## ChromeStart.setIsVisible() method
+
+Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button.
+
+<b>Signature:</b>
+
+```typescript
+setIsVisible(isVisible: boolean): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  isVisible | <code>boolean</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md b/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
index 5334eee842577..e1bb5bedd5a7e 100644
--- a/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
+++ b/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-public.contextsetup.createcontextcontainer.md)
-
-## ContextSetup.createContextContainer() method
-
-Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner.
-
-<b>Signature:</b>
-
-```typescript
-createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
-```
-<b>Returns:</b>
-
-`IContextContainer<THandler>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-public.contextsetup.createcontextcontainer.md)
+
+## ContextSetup.createContextContainer() method
+
+Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner.
+
+<b>Signature:</b>
+
+```typescript
+createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
+```
+<b>Returns:</b>
+
+`IContextContainer<THandler>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.contextsetup.md b/docs/development/core/public/kibana-plugin-public.contextsetup.md
index d4399b6ba70c4..fe9a2e3004708 100644
--- a/docs/development/core/public/kibana-plugin-public.contextsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.contextsetup.md
@@ -1,138 +1,138 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md)
-
-## ContextSetup interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface ContextSetup 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Example
-
-Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
-
-```ts
-export interface VizRenderContext {
-  core: {
-    i18n: I18nStart;
-    uiSettings: IUiSettingsClient;
-  }
-  [contextName: string]: unknown;
-}
-
-export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
-// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
-type BoundVizRenderer = (domElement: HTMLElement) => () => void;
-
-class VizRenderingPlugin {
-  private readonly contextContainer?: IContextContainer<VizRenderer>;
-  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
-        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
-    };
-  }
-
-  start(core) {
-    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
-    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
-      i18n: core.i18n,
-      uiSettings: core.uiSettings
-    }));
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-
-      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
-        if (!this.vizRenderer.has(renderMethod)) {
-          throw new Error(`Render method '${renderMethod}' has not been registered`);
-        }
-
-        // The handler can now be called directly with only an `HTMLElement` and will automatically
-        // have a new `context` object created and populated by the context container.
-        const handler = this.vizRenderers.get(renderMethod)
-        return handler(domElement);
-      }
-    };
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createContextContainer()](./kibana-plugin-public.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md)
+
+## ContextSetup interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface ContextSetup 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Example
+
+Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
+
+```ts
+export interface VizRenderContext {
+  core: {
+    i18n: I18nStart;
+    uiSettings: IUiSettingsClient;
+  }
+  [contextName: string]: unknown;
+}
+
+export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
+// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
+type BoundVizRenderer = (domElement: HTMLElement) => () => void;
+
+class VizRenderingPlugin {
+  private readonly contextContainer?: IContextContainer<VizRenderer>;
+  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
+        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
+    };
+  }
+
+  start(core) {
+    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
+    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
+      i18n: core.i18n,
+      uiSettings: core.uiSettings
+    }));
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+
+      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
+        if (!this.vizRenderer.has(renderMethod)) {
+          throw new Error(`Render method '${renderMethod}' has not been registered`);
+        }
+
+        // The handler can now be called directly with only an `HTMLElement` and will automatically
+        // have a new `context` object created and populated by the context container.
+        const handler = this.vizRenderers.get(renderMethod)
+        return handler(domElement);
+      }
+    };
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createContextContainer()](./kibana-plugin-public.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.application.md b/docs/development/core/public/kibana-plugin-public.coresetup.application.md
index 4b39b2c76802b..2b4b54b0023ee 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.application.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.application.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [application](./kibana-plugin-public.coresetup.application.md)
-
-## CoreSetup.application property
-
-[ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-application: ApplicationSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [application](./kibana-plugin-public.coresetup.application.md)
+
+## CoreSetup.application property
+
+[ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+application: ApplicationSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.context.md b/docs/development/core/public/kibana-plugin-public.coresetup.context.md
index f2a891c6c674e..12f8255482385 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.context.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.context.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [context](./kibana-plugin-public.coresetup.context.md)
-
-## CoreSetup.context property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-[ContextSetup](./kibana-plugin-public.contextsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-context: ContextSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [context](./kibana-plugin-public.coresetup.context.md)
+
+## CoreSetup.context property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+[ContextSetup](./kibana-plugin-public.contextsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+context: ContextSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md b/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
index 5d51af0898e4f..8f96ffd2c15e8 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md)
-
-## CoreSetup.fatalErrors property
-
-[FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-fatalErrors: FatalErrorsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md)
+
+## CoreSetup.fatalErrors property
+
+[FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+fatalErrors: FatalErrorsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md b/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
index b89d98b0a9ed5..188e4664934ff 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [getStartServices](./kibana-plugin-public.coresetup.getstartservices.md)
-
-## CoreSetup.getStartServices() method
-
-Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-getStartServices(): Promise<[CoreStart, TPluginsStart]>;
-```
-<b>Returns:</b>
-
-`Promise<[CoreStart, TPluginsStart]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [getStartServices](./kibana-plugin-public.coresetup.getstartservices.md)
+
+## CoreSetup.getStartServices() method
+
+Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+getStartServices(): Promise<[CoreStart, TPluginsStart]>;
+```
+<b>Returns:</b>
+
+`Promise<[CoreStart, TPluginsStart]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.http.md b/docs/development/core/public/kibana-plugin-public.coresetup.http.md
index 7471f7daa668d..112f80093361c 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.http.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [http](./kibana-plugin-public.coresetup.http.md)
-
-## CoreSetup.http property
-
-[HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [http](./kibana-plugin-public.coresetup.http.md)
+
+## CoreSetup.http property
+
+[HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
index f9c1a283e3808..a62b8b99ee131 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md)
-
-## CoreSetup.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: {
-        getInjectedVar: (name: string, defaultValue?: any) => unknown;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md)
+
+## CoreSetup.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: {
+        getInjectedVar: (name: string, defaultValue?: any) => unknown;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.md b/docs/development/core/public/kibana-plugin-public.coresetup.md
index 7d75782df2e32..ae423c6e8d79c 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md)
-
-## CoreSetup interface
-
-Core services exposed to the `Plugin` setup lifecycle
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreSetup<TPluginsStart extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [application](./kibana-plugin-public.coresetup.application.md) | <code>ApplicationSetup</code> | [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
-|  [context](./kibana-plugin-public.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-public.contextsetup.md) |
-|  [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md) | <code>FatalErrorsSetup</code> | [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) |
-|  [http](./kibana-plugin-public.coresetup.http.md) | <code>HttpSetup</code> | [HttpSetup](./kibana-plugin-public.httpsetup.md) |
-|  [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
-|  [notifications](./kibana-plugin-public.coresetup.notifications.md) | <code>NotificationsSetup</code> | [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |
-|  [uiSettings](./kibana-plugin-public.coresetup.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md)
+
+## CoreSetup interface
+
+Core services exposed to the `Plugin` setup lifecycle
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreSetup<TPluginsStart extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [application](./kibana-plugin-public.coresetup.application.md) | <code>ApplicationSetup</code> | [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
+|  [context](./kibana-plugin-public.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-public.contextsetup.md) |
+|  [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md) | <code>FatalErrorsSetup</code> | [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) |
+|  [http](./kibana-plugin-public.coresetup.http.md) | <code>HttpSetup</code> | [HttpSetup](./kibana-plugin-public.httpsetup.md) |
+|  [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
+|  [notifications](./kibana-plugin-public.coresetup.notifications.md) | <code>NotificationsSetup</code> | [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |
+|  [uiSettings](./kibana-plugin-public.coresetup.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md b/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
index ea050925bbafc..52808b860a9e6 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [notifications](./kibana-plugin-public.coresetup.notifications.md)
-
-## CoreSetup.notifications property
-
-[NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-notifications: NotificationsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [notifications](./kibana-plugin-public.coresetup.notifications.md)
+
+## CoreSetup.notifications property
+
+[NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+notifications: NotificationsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md b/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
index bf9ec12e3eea2..51aa9916f7f07 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [uiSettings](./kibana-plugin-public.coresetup.uisettings.md)
-
-## CoreSetup.uiSettings property
-
-[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: IUiSettingsClient;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [uiSettings](./kibana-plugin-public.coresetup.uisettings.md)
+
+## CoreSetup.uiSettings property
+
+[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: IUiSettingsClient;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.application.md b/docs/development/core/public/kibana-plugin-public.corestart.application.md
index c26701ca80529..b8565c5812aaf 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.application.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.application.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [application](./kibana-plugin-public.corestart.application.md)
-
-## CoreStart.application property
-
-[ApplicationStart](./kibana-plugin-public.applicationstart.md)
-
-<b>Signature:</b>
-
-```typescript
-application: ApplicationStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [application](./kibana-plugin-public.corestart.application.md)
+
+## CoreStart.application property
+
+[ApplicationStart](./kibana-plugin-public.applicationstart.md)
+
+<b>Signature:</b>
+
+```typescript
+application: ApplicationStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.chrome.md b/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
index 390bde25bae93..02f410b08b024 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [chrome](./kibana-plugin-public.corestart.chrome.md)
-
-## CoreStart.chrome property
-
-[ChromeStart](./kibana-plugin-public.chromestart.md)
-
-<b>Signature:</b>
-
-```typescript
-chrome: ChromeStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [chrome](./kibana-plugin-public.corestart.chrome.md)
+
+## CoreStart.chrome property
+
+[ChromeStart](./kibana-plugin-public.chromestart.md)
+
+<b>Signature:</b>
+
+```typescript
+chrome: ChromeStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md b/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
index 7f9e4ea10baac..641b9520be1a4 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [docLinks](./kibana-plugin-public.corestart.doclinks.md)
-
-## CoreStart.docLinks property
-
-[DocLinksStart](./kibana-plugin-public.doclinksstart.md)
-
-<b>Signature:</b>
-
-```typescript
-docLinks: DocLinksStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [docLinks](./kibana-plugin-public.corestart.doclinks.md)
+
+## CoreStart.docLinks property
+
+[DocLinksStart](./kibana-plugin-public.doclinksstart.md)
+
+<b>Signature:</b>
+
+```typescript
+docLinks: DocLinksStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md b/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
index 540b17b5a6f0b..890fcac5a768b 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md)
-
-## CoreStart.fatalErrors property
-
-[FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-fatalErrors: FatalErrorsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md)
+
+## CoreStart.fatalErrors property
+
+[FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+fatalErrors: FatalErrorsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.http.md b/docs/development/core/public/kibana-plugin-public.corestart.http.md
index 6af183480c663..12fca53774532 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.http.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [http](./kibana-plugin-public.corestart.http.md)
-
-## CoreStart.http property
-
-[HttpStart](./kibana-plugin-public.httpstart.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [http](./kibana-plugin-public.corestart.http.md)
+
+## CoreStart.http property
+
+[HttpStart](./kibana-plugin-public.httpstart.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.i18n.md b/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
index 6a62025874aa9..75baf18a482e1 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [i18n](./kibana-plugin-public.corestart.i18n.md)
-
-## CoreStart.i18n property
-
-[I18nStart](./kibana-plugin-public.i18nstart.md)
-
-<b>Signature:</b>
-
-```typescript
-i18n: I18nStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [i18n](./kibana-plugin-public.corestart.i18n.md)
+
+## CoreStart.i18n property
+
+[I18nStart](./kibana-plugin-public.i18nstart.md)
+
+<b>Signature:</b>
+
+```typescript
+i18n: I18nStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
index 9224b97bc4300..b3f6361d3a8c3 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md)
-
-## CoreStart.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: {
-        getInjectedVar: (name: string, defaultValue?: any) => unknown;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md)
+
+## CoreStart.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: {
+        getInjectedVar: (name: string, defaultValue?: any) => unknown;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.md b/docs/development/core/public/kibana-plugin-public.corestart.md
index 83af82d590c36..c0a326b3b01cb 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md)
-
-## CoreStart interface
-
-Core services exposed to the `Plugin` start lifecycle
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [application](./kibana-plugin-public.corestart.application.md) | <code>ApplicationStart</code> | [ApplicationStart](./kibana-plugin-public.applicationstart.md) |
-|  [chrome](./kibana-plugin-public.corestart.chrome.md) | <code>ChromeStart</code> | [ChromeStart](./kibana-plugin-public.chromestart.md) |
-|  [docLinks](./kibana-plugin-public.corestart.doclinks.md) | <code>DocLinksStart</code> | [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |
-|  [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md) | <code>FatalErrorsStart</code> | [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) |
-|  [http](./kibana-plugin-public.corestart.http.md) | <code>HttpStart</code> | [HttpStart](./kibana-plugin-public.httpstart.md) |
-|  [i18n](./kibana-plugin-public.corestart.i18n.md) | <code>I18nStart</code> | [I18nStart](./kibana-plugin-public.i18nstart.md) |
-|  [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
-|  [notifications](./kibana-plugin-public.corestart.notifications.md) | <code>NotificationsStart</code> | [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |
-|  [overlays](./kibana-plugin-public.corestart.overlays.md) | <code>OverlayStart</code> | [OverlayStart](./kibana-plugin-public.overlaystart.md) |
-|  [savedObjects](./kibana-plugin-public.corestart.savedobjects.md) | <code>SavedObjectsStart</code> | [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |
-|  [uiSettings](./kibana-plugin-public.corestart.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md)
+
+## CoreStart interface
+
+Core services exposed to the `Plugin` start lifecycle
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [application](./kibana-plugin-public.corestart.application.md) | <code>ApplicationStart</code> | [ApplicationStart](./kibana-plugin-public.applicationstart.md) |
+|  [chrome](./kibana-plugin-public.corestart.chrome.md) | <code>ChromeStart</code> | [ChromeStart](./kibana-plugin-public.chromestart.md) |
+|  [docLinks](./kibana-plugin-public.corestart.doclinks.md) | <code>DocLinksStart</code> | [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |
+|  [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md) | <code>FatalErrorsStart</code> | [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) |
+|  [http](./kibana-plugin-public.corestart.http.md) | <code>HttpStart</code> | [HttpStart](./kibana-plugin-public.httpstart.md) |
+|  [i18n](./kibana-plugin-public.corestart.i18n.md) | <code>I18nStart</code> | [I18nStart](./kibana-plugin-public.i18nstart.md) |
+|  [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
+|  [notifications](./kibana-plugin-public.corestart.notifications.md) | <code>NotificationsStart</code> | [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |
+|  [overlays](./kibana-plugin-public.corestart.overlays.md) | <code>OverlayStart</code> | [OverlayStart](./kibana-plugin-public.overlaystart.md) |
+|  [savedObjects](./kibana-plugin-public.corestart.savedobjects.md) | <code>SavedObjectsStart</code> | [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |
+|  [uiSettings](./kibana-plugin-public.corestart.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.notifications.md b/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
index c9533a1ec2f10..b9c75a1989096 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [notifications](./kibana-plugin-public.corestart.notifications.md)
-
-## CoreStart.notifications property
-
-[NotificationsStart](./kibana-plugin-public.notificationsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-notifications: NotificationsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [notifications](./kibana-plugin-public.corestart.notifications.md)
+
+## CoreStart.notifications property
+
+[NotificationsStart](./kibana-plugin-public.notificationsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+notifications: NotificationsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.overlays.md b/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
index 53d20b994f43d..9f2bf269884a1 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [overlays](./kibana-plugin-public.corestart.overlays.md)
-
-## CoreStart.overlays property
-
-[OverlayStart](./kibana-plugin-public.overlaystart.md)
-
-<b>Signature:</b>
-
-```typescript
-overlays: OverlayStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [overlays](./kibana-plugin-public.corestart.overlays.md)
+
+## CoreStart.overlays property
+
+[OverlayStart](./kibana-plugin-public.overlaystart.md)
+
+<b>Signature:</b>
+
+```typescript
+overlays: OverlayStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md b/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
index 5e6e0e33c7f80..80ba416ec5e0c 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [savedObjects](./kibana-plugin-public.corestart.savedobjects.md)
-
-## CoreStart.savedObjects property
-
-[SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [savedObjects](./kibana-plugin-public.corestart.savedobjects.md)
+
+## CoreStart.savedObjects property
+
+[SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md b/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
index 2ee405591dc08..2831e4da13578 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [uiSettings](./kibana-plugin-public.corestart.uisettings.md)
-
-## CoreStart.uiSettings property
-
-[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: IUiSettingsClient;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [uiSettings](./kibana-plugin-public.corestart.uisettings.md)
+
+## CoreStart.uiSettings property
+
+[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: IUiSettingsClient;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
index 5e7f9f9e48687..453d358710f2d 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md)
-
-## DocLinksStart.DOC\_LINK\_VERSION property
-
-<b>Signature:</b>
-
-```typescript
-readonly DOC_LINK_VERSION: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md)
+
+## DocLinksStart.DOC\_LINK\_VERSION property
+
+<b>Signature:</b>
+
+```typescript
+readonly DOC_LINK_VERSION: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
index b4967038b35d7..9ef871e776996 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md)
-
-## DocLinksStart.ELASTIC\_WEBSITE\_URL property
-
-<b>Signature:</b>
-
-```typescript
-readonly ELASTIC_WEBSITE_URL: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md)
+
+## DocLinksStart.ELASTIC\_WEBSITE\_URL property
+
+<b>Signature:</b>
+
+```typescript
+readonly ELASTIC_WEBSITE_URL: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
index 2a21f00c57461..bb59d2eabefa2 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
@@ -1,96 +1,96 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [links](./kibana-plugin-public.doclinksstart.links.md)
-
-## DocLinksStart.links property
-
-<b>Signature:</b>
-
-```typescript
-readonly links: {
-        readonly filebeat: {
-            readonly base: string;
-            readonly installation: string;
-            readonly configuration: string;
-            readonly elasticsearchOutput: string;
-            readonly startup: string;
-            readonly exportedFields: string;
-        };
-        readonly auditbeat: {
-            readonly base: string;
-        };
-        readonly metricbeat: {
-            readonly base: string;
-        };
-        readonly heartbeat: {
-            readonly base: string;
-        };
-        readonly logstash: {
-            readonly base: string;
-        };
-        readonly functionbeat: {
-            readonly base: string;
-        };
-        readonly winlogbeat: {
-            readonly base: string;
-        };
-        readonly aggs: {
-            readonly date_histogram: string;
-            readonly date_range: string;
-            readonly filter: string;
-            readonly filters: string;
-            readonly geohash_grid: string;
-            readonly histogram: string;
-            readonly ip_range: string;
-            readonly range: string;
-            readonly significant_terms: string;
-            readonly terms: string;
-            readonly avg: string;
-            readonly avg_bucket: string;
-            readonly max_bucket: string;
-            readonly min_bucket: string;
-            readonly sum_bucket: string;
-            readonly cardinality: string;
-            readonly count: string;
-            readonly cumulative_sum: string;
-            readonly derivative: string;
-            readonly geo_bounds: string;
-            readonly geo_centroid: string;
-            readonly max: string;
-            readonly median: string;
-            readonly min: string;
-            readonly moving_avg: string;
-            readonly percentile_ranks: string;
-            readonly serial_diff: string;
-            readonly std_dev: string;
-            readonly sum: string;
-            readonly top_hits: string;
-        };
-        readonly scriptedFields: {
-            readonly scriptFields: string;
-            readonly scriptAggs: string;
-            readonly painless: string;
-            readonly painlessApi: string;
-            readonly painlessSyntax: string;
-            readonly luceneExpressions: string;
-        };
-        readonly indexPatterns: {
-            readonly loadingData: string;
-            readonly introduction: string;
-        };
-        readonly kibana: string;
-        readonly siem: {
-            readonly guide: string;
-            readonly gettingStarted: string;
-        };
-        readonly query: {
-            readonly luceneQuerySyntax: string;
-            readonly queryDsl: string;
-            readonly kueryQuerySyntax: string;
-        };
-        readonly date: {
-            readonly dateMath: string;
-        };
-        readonly management: Record<string, string>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [links](./kibana-plugin-public.doclinksstart.links.md)
+
+## DocLinksStart.links property
+
+<b>Signature:</b>
+
+```typescript
+readonly links: {
+        readonly filebeat: {
+            readonly base: string;
+            readonly installation: string;
+            readonly configuration: string;
+            readonly elasticsearchOutput: string;
+            readonly startup: string;
+            readonly exportedFields: string;
+        };
+        readonly auditbeat: {
+            readonly base: string;
+        };
+        readonly metricbeat: {
+            readonly base: string;
+        };
+        readonly heartbeat: {
+            readonly base: string;
+        };
+        readonly logstash: {
+            readonly base: string;
+        };
+        readonly functionbeat: {
+            readonly base: string;
+        };
+        readonly winlogbeat: {
+            readonly base: string;
+        };
+        readonly aggs: {
+            readonly date_histogram: string;
+            readonly date_range: string;
+            readonly filter: string;
+            readonly filters: string;
+            readonly geohash_grid: string;
+            readonly histogram: string;
+            readonly ip_range: string;
+            readonly range: string;
+            readonly significant_terms: string;
+            readonly terms: string;
+            readonly avg: string;
+            readonly avg_bucket: string;
+            readonly max_bucket: string;
+            readonly min_bucket: string;
+            readonly sum_bucket: string;
+            readonly cardinality: string;
+            readonly count: string;
+            readonly cumulative_sum: string;
+            readonly derivative: string;
+            readonly geo_bounds: string;
+            readonly geo_centroid: string;
+            readonly max: string;
+            readonly median: string;
+            readonly min: string;
+            readonly moving_avg: string;
+            readonly percentile_ranks: string;
+            readonly serial_diff: string;
+            readonly std_dev: string;
+            readonly sum: string;
+            readonly top_hits: string;
+        };
+        readonly scriptedFields: {
+            readonly scriptFields: string;
+            readonly scriptAggs: string;
+            readonly painless: string;
+            readonly painlessApi: string;
+            readonly painlessSyntax: string;
+            readonly luceneExpressions: string;
+        };
+        readonly indexPatterns: {
+            readonly loadingData: string;
+            readonly introduction: string;
+        };
+        readonly kibana: string;
+        readonly siem: {
+            readonly guide: string;
+            readonly gettingStarted: string;
+        };
+        readonly query: {
+            readonly luceneQuerySyntax: string;
+            readonly queryDsl: string;
+            readonly kueryQuerySyntax: string;
+        };
+        readonly date: {
+            readonly dateMath: string;
+        };
+        readonly management: Record<string, string>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.md
index 13c701a8b47db..c9d9c0f06ecb3 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md)
-
-## DocLinksStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DocLinksStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md) | <code>string</code> |  |
-|  [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md) | <code>string</code> |  |
-|  [links](./kibana-plugin-public.doclinksstart.links.md) | <code>{</code><br/><code>        readonly filebeat: {</code><br/><code>            readonly base: string;</code><br/><code>            readonly installation: string;</code><br/><code>            readonly configuration: string;</code><br/><code>            readonly elasticsearchOutput: string;</code><br/><code>            readonly startup: string;</code><br/><code>            readonly exportedFields: string;</code><br/><code>        };</code><br/><code>        readonly auditbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly metricbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly heartbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly logstash: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly functionbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly winlogbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly aggs: {</code><br/><code>            readonly date_histogram: string;</code><br/><code>            readonly date_range: string;</code><br/><code>            readonly filter: string;</code><br/><code>            readonly filters: string;</code><br/><code>            readonly geohash_grid: string;</code><br/><code>            readonly histogram: string;</code><br/><code>            readonly ip_range: string;</code><br/><code>            readonly range: string;</code><br/><code>            readonly significant_terms: string;</code><br/><code>            readonly terms: string;</code><br/><code>            readonly avg: string;</code><br/><code>            readonly avg_bucket: string;</code><br/><code>            readonly max_bucket: string;</code><br/><code>            readonly min_bucket: string;</code><br/><code>            readonly sum_bucket: string;</code><br/><code>            readonly cardinality: string;</code><br/><code>            readonly count: string;</code><br/><code>            readonly cumulative_sum: string;</code><br/><code>            readonly derivative: string;</code><br/><code>            readonly geo_bounds: string;</code><br/><code>            readonly geo_centroid: string;</code><br/><code>            readonly max: string;</code><br/><code>            readonly median: string;</code><br/><code>            readonly min: string;</code><br/><code>            readonly moving_avg: string;</code><br/><code>            readonly percentile_ranks: string;</code><br/><code>            readonly serial_diff: string;</code><br/><code>            readonly std_dev: string;</code><br/><code>            readonly sum: string;</code><br/><code>            readonly top_hits: string;</code><br/><code>        };</code><br/><code>        readonly scriptedFields: {</code><br/><code>            readonly scriptFields: string;</code><br/><code>            readonly scriptAggs: string;</code><br/><code>            readonly painless: string;</code><br/><code>            readonly painlessApi: string;</code><br/><code>            readonly painlessSyntax: string;</code><br/><code>            readonly luceneExpressions: string;</code><br/><code>        };</code><br/><code>        readonly indexPatterns: {</code><br/><code>            readonly loadingData: string;</code><br/><code>            readonly introduction: string;</code><br/><code>        };</code><br/><code>        readonly kibana: string;</code><br/><code>        readonly siem: {</code><br/><code>            readonly guide: string;</code><br/><code>            readonly gettingStarted: string;</code><br/><code>        };</code><br/><code>        readonly query: {</code><br/><code>            readonly luceneQuerySyntax: string;</code><br/><code>            readonly queryDsl: string;</code><br/><code>            readonly kueryQuerySyntax: string;</code><br/><code>        };</code><br/><code>        readonly date: {</code><br/><code>            readonly dateMath: string;</code><br/><code>        };</code><br/><code>        readonly management: Record&lt;string, string&gt;;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md)
+
+## DocLinksStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DocLinksStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md) | <code>string</code> |  |
+|  [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md) | <code>string</code> |  |
+|  [links](./kibana-plugin-public.doclinksstart.links.md) | <code>{</code><br/><code>        readonly filebeat: {</code><br/><code>            readonly base: string;</code><br/><code>            readonly installation: string;</code><br/><code>            readonly configuration: string;</code><br/><code>            readonly elasticsearchOutput: string;</code><br/><code>            readonly startup: string;</code><br/><code>            readonly exportedFields: string;</code><br/><code>        };</code><br/><code>        readonly auditbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly metricbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly heartbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly logstash: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly functionbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly winlogbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly aggs: {</code><br/><code>            readonly date_histogram: string;</code><br/><code>            readonly date_range: string;</code><br/><code>            readonly filter: string;</code><br/><code>            readonly filters: string;</code><br/><code>            readonly geohash_grid: string;</code><br/><code>            readonly histogram: string;</code><br/><code>            readonly ip_range: string;</code><br/><code>            readonly range: string;</code><br/><code>            readonly significant_terms: string;</code><br/><code>            readonly terms: string;</code><br/><code>            readonly avg: string;</code><br/><code>            readonly avg_bucket: string;</code><br/><code>            readonly max_bucket: string;</code><br/><code>            readonly min_bucket: string;</code><br/><code>            readonly sum_bucket: string;</code><br/><code>            readonly cardinality: string;</code><br/><code>            readonly count: string;</code><br/><code>            readonly cumulative_sum: string;</code><br/><code>            readonly derivative: string;</code><br/><code>            readonly geo_bounds: string;</code><br/><code>            readonly geo_centroid: string;</code><br/><code>            readonly max: string;</code><br/><code>            readonly median: string;</code><br/><code>            readonly min: string;</code><br/><code>            readonly moving_avg: string;</code><br/><code>            readonly percentile_ranks: string;</code><br/><code>            readonly serial_diff: string;</code><br/><code>            readonly std_dev: string;</code><br/><code>            readonly sum: string;</code><br/><code>            readonly top_hits: string;</code><br/><code>        };</code><br/><code>        readonly scriptedFields: {</code><br/><code>            readonly scriptFields: string;</code><br/><code>            readonly scriptAggs: string;</code><br/><code>            readonly painless: string;</code><br/><code>            readonly painlessApi: string;</code><br/><code>            readonly painlessSyntax: string;</code><br/><code>            readonly luceneExpressions: string;</code><br/><code>        };</code><br/><code>        readonly indexPatterns: {</code><br/><code>            readonly loadingData: string;</code><br/><code>            readonly introduction: string;</code><br/><code>        };</code><br/><code>        readonly kibana: string;</code><br/><code>        readonly siem: {</code><br/><code>            readonly guide: string;</code><br/><code>            readonly gettingStarted: string;</code><br/><code>        };</code><br/><code>        readonly query: {</code><br/><code>            readonly luceneQuerySyntax: string;</code><br/><code>            readonly queryDsl: string;</code><br/><code>            readonly kueryQuerySyntax: string;</code><br/><code>        };</code><br/><code>        readonly date: {</code><br/><code>            readonly dateMath: string;</code><br/><code>        };</code><br/><code>        readonly management: Record&lt;string, string&gt;;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md b/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
index b82e851da2b66..1e070ba8d9884 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [dev](./kibana-plugin-public.environmentmode.dev.md)
-
-## EnvironmentMode.dev property
-
-<b>Signature:</b>
-
-```typescript
-dev: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [dev](./kibana-plugin-public.environmentmode.dev.md)
+
+## EnvironmentMode.dev property
+
+<b>Signature:</b>
+
+```typescript
+dev: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.md b/docs/development/core/public/kibana-plugin-public.environmentmode.md
index 14ab1316f5269..e869729319b0c 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md)
-
-## EnvironmentMode interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface EnvironmentMode 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [dev](./kibana-plugin-public.environmentmode.dev.md) | <code>boolean</code> |  |
-|  [name](./kibana-plugin-public.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
-|  [prod](./kibana-plugin-public.environmentmode.prod.md) | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md)
+
+## EnvironmentMode interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface EnvironmentMode 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [dev](./kibana-plugin-public.environmentmode.dev.md) | <code>boolean</code> |  |
+|  [name](./kibana-plugin-public.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
+|  [prod](./kibana-plugin-public.environmentmode.prod.md) | <code>boolean</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.name.md b/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
index 5983fea856750..105853c35d0dd 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [name](./kibana-plugin-public.environmentmode.name.md)
-
-## EnvironmentMode.name property
-
-<b>Signature:</b>
-
-```typescript
-name: 'development' | 'production';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [name](./kibana-plugin-public.environmentmode.name.md)
+
+## EnvironmentMode.name property
+
+<b>Signature:</b>
+
+```typescript
+name: 'development' | 'production';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md b/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
index 4b46e8b9cc9f9..ebbbf7f0c2531 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [prod](./kibana-plugin-public.environmentmode.prod.md)
-
-## EnvironmentMode.prod property
-
-<b>Signature:</b>
-
-```typescript
-prod: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [prod](./kibana-plugin-public.environmentmode.prod.md)
+
+## EnvironmentMode.prod property
+
+<b>Signature:</b>
+
+```typescript
+prod: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
index 1755e6cbde919..2018bcb643906 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md)
-
-## ErrorToastOptions interface
-
-Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
-
-<b>Signature:</b>
-
-```typescript
-export interface ErrorToastOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [title](./kibana-plugin-public.errortoastoptions.title.md) | <code>string</code> | The title of the toast and the dialog when expanding the message. |
-|  [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md) | <code>string</code> | The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md)
+
+## ErrorToastOptions interface
+
+Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
+
+<b>Signature:</b>
+
+```typescript
+export interface ErrorToastOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [title](./kibana-plugin-public.errortoastoptions.title.md) | <code>string</code> | The title of the toast and the dialog when expanding the message. |
+|  [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md) | <code>string</code> | The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
index 8c636998bcbd7..3e21fc1e7f599 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [title](./kibana-plugin-public.errortoastoptions.title.md)
-
-## ErrorToastOptions.title property
-
-The title of the toast and the dialog when expanding the message.
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [title](./kibana-plugin-public.errortoastoptions.title.md)
+
+## ErrorToastOptions.title property
+
+The title of the toast and the dialog when expanding the message.
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
index 8094ed3a5bdc7..633bff7dae7f9 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md)
-
-## ErrorToastOptions.toastMessage property
-
-The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal.
-
-<b>Signature:</b>
-
-```typescript
-toastMessage?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md)
+
+## ErrorToastOptions.toastMessage property
+
+The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal.
+
+<b>Signature:</b>
+
+```typescript
+toastMessage?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
index a1e2a95ec9bb1..9ee6ed00d897e 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md)
-
-## FatalErrorInfo interface
-
-Represents the `message` and `stack` of a fatal Error
-
-<b>Signature:</b>
-
-```typescript
-export interface FatalErrorInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.fatalerrorinfo.message.md) | <code>string</code> |  |
-|  [stack](./kibana-plugin-public.fatalerrorinfo.stack.md) | <code>string &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md)
+
+## FatalErrorInfo interface
+
+Represents the `message` and `stack` of a fatal Error
+
+<b>Signature:</b>
+
+```typescript
+export interface FatalErrorInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.fatalerrorinfo.message.md) | <code>string</code> |  |
+|  [stack](./kibana-plugin-public.fatalerrorinfo.stack.md) | <code>string &#124; undefined</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
index 8eebba48f0777..29c338580ceb4 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [message](./kibana-plugin-public.fatalerrorinfo.message.md)
-
-## FatalErrorInfo.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [message](./kibana-plugin-public.fatalerrorinfo.message.md)
+
+## FatalErrorInfo.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
index 5578e4f8c8acd..5d24ec6d82c59 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [stack](./kibana-plugin-public.fatalerrorinfo.stack.md)
-
-## FatalErrorInfo.stack property
-
-<b>Signature:</b>
-
-```typescript
-stack: string | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [stack](./kibana-plugin-public.fatalerrorinfo.stack.md)
+
+## FatalErrorInfo.stack property
+
+<b>Signature:</b>
+
+```typescript
+stack: string | undefined;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
index 31a1c239388ee..778b945de848a 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [add](./kibana-plugin-public.fatalerrorssetup.add.md)
-
-## FatalErrorsSetup.add property
-
-Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-add: (error: string | Error, source?: string) => never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [add](./kibana-plugin-public.fatalerrorssetup.add.md)
+
+## FatalErrorsSetup.add property
+
+Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+add: (error: string | Error, source?: string) => never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
index a3498e58c33b6..c99c78ef948df 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [get$](./kibana-plugin-public.fatalerrorssetup.get_.md)
-
-## FatalErrorsSetup.get$ property
-
-An Observable that will emit whenever a fatal error is added with `add()`
-
-<b>Signature:</b>
-
-```typescript
-get$: () => Rx.Observable<FatalErrorInfo>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [get$](./kibana-plugin-public.fatalerrorssetup.get_.md)
+
+## FatalErrorsSetup.get$ property
+
+An Observable that will emit whenever a fatal error is added with `add()`
+
+<b>Signature:</b>
+
+```typescript
+get$: () => Rx.Observable<FatalErrorInfo>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
index 87d637bb52183..728723c3f9764 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
-
-## FatalErrorsSetup interface
-
-FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-export interface FatalErrorsSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [add](./kibana-plugin-public.fatalerrorssetup.add.md) | <code>(error: string &#124; Error, source?: string) =&gt; never</code> | Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error. |
-|  [get$](./kibana-plugin-public.fatalerrorssetup.get_.md) | <code>() =&gt; Rx.Observable&lt;FatalErrorInfo&gt;</code> | An Observable that will emit whenever a fatal error is added with <code>add()</code> |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
+
+## FatalErrorsSetup interface
+
+FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+export interface FatalErrorsSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [add](./kibana-plugin-public.fatalerrorssetup.add.md) | <code>(error: string &#124; Error, source?: string) =&gt; never</code> | Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error. |
+|  [get$](./kibana-plugin-public.fatalerrorssetup.get_.md) | <code>() =&gt; Rx.Observable&lt;FatalErrorInfo&gt;</code> | An Observable that will emit whenever a fatal error is added with <code>add()</code> |
+
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md b/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
index a8ece7dcb7e02..93579079fe9b2 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
-
-## FatalErrorsStart type
-
-FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-export declare type FatalErrorsStart = FatalErrorsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
+
+## FatalErrorsStart type
+
+FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+export declare type FatalErrorsStart = FatalErrorsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlercontexttype.md b/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
index b083449d2b703..561b5fb483ff0 100644
--- a/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
+++ b/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)
-
-## HandlerContextType type
-
-Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)
+
+## HandlerContextType type
+
+Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlerfunction.md b/docs/development/core/public/kibana-plugin-public.handlerfunction.md
index 98c342c17691d..973dbc6837325 100644
--- a/docs/development/core/public/kibana-plugin-public.handlerfunction.md
+++ b/docs/development/core/public/kibana-plugin-public.handlerfunction.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerFunction](./kibana-plugin-public.handlerfunction.md)
-
-## HandlerFunction type
-
-A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerFunction](./kibana-plugin-public.handlerfunction.md)
+
+## HandlerFunction type
+
+A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlerparameters.md b/docs/development/core/public/kibana-plugin-public.handlerparameters.md
index f46c4b649e943..8a9e51b66e71e 100644
--- a/docs/development/core/public/kibana-plugin-public.handlerparameters.md
+++ b/docs/development/core/public/kibana-plugin-public.handlerparameters.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerParameters](./kibana-plugin-public.handlerparameters.md)
-
-## HandlerParameters type
-
-Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerParameters](./kibana-plugin-public.handlerparameters.md)
+
+## HandlerParameters type
+
+Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
index 207ddf205c88a..f1661cdb64b4a 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md)
-
-## HttpFetchOptions.asResponse property
-
-When `true` the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When `false`<!-- -->, the return type will just be the parsed response body. Defaults to `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asResponse?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md)
+
+## HttpFetchOptions.asResponse property
+
+When `true` the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When `false`<!-- -->, the return type will just be the parsed response body. Defaults to `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asResponse?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
index 7243d318df6fc..609e4dd410601 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md)
-
-## HttpFetchOptions.asSystemRequest property
-
-Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asSystemRequest?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md)
+
+## HttpFetchOptions.asSystemRequest property
+
+Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asSystemRequest?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
index 232b7d3da3af4..4943f594e14cc 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [headers](./kibana-plugin-public.httpfetchoptions.headers.md)
-
-## HttpFetchOptions.headers property
-
-Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-headers?: HttpHeadersInit;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [headers](./kibana-plugin-public.httpfetchoptions.headers.md)
+
+## HttpFetchOptions.headers property
+
+Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+headers?: HttpHeadersInit;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
index 403a1ea7ee4e8..b7620f9e042db 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md)
-
-## HttpFetchOptions interface
-
-All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchOptions extends HttpRequestInit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md) | <code>boolean</code> | When <code>true</code> the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When <code>false</code>, the return type will just be the parsed response body. Defaults to <code>false</code>. |
-|  [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md) | <code>boolean</code> | Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to <code>false</code>. |
-|  [headers](./kibana-plugin-public.httpfetchoptions.headers.md) | <code>HttpHeadersInit</code> | Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->. |
-|  [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md) | <code>boolean</code> | Whether or not the request should automatically prepend the basePath. Defaults to <code>true</code>. |
-|  [query](./kibana-plugin-public.httpfetchoptions.query.md) | <code>HttpFetchQuery</code> | The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md)
+
+## HttpFetchOptions interface
+
+All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchOptions extends HttpRequestInit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md) | <code>boolean</code> | When <code>true</code> the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When <code>false</code>, the return type will just be the parsed response body. Defaults to <code>false</code>. |
+|  [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md) | <code>boolean</code> | Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to <code>false</code>. |
+|  [headers](./kibana-plugin-public.httpfetchoptions.headers.md) | <code>HttpHeadersInit</code> | Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->. |
+|  [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md) | <code>boolean</code> | Whether or not the request should automatically prepend the basePath. Defaults to <code>true</code>. |
+|  [query](./kibana-plugin-public.httpfetchoptions.query.md) | <code>HttpFetchQuery</code> | The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
index 0a6a8e195e565..bebf99e25bbfc 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md)
-
-## HttpFetchOptions.prependBasePath property
-
-Whether or not the request should automatically prepend the basePath. Defaults to `true`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-prependBasePath?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md)
+
+## HttpFetchOptions.prependBasePath property
+
+Whether or not the request should automatically prepend the basePath. Defaults to `true`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+prependBasePath?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
index 0f8d6ba83e772..bae4edd22dd46 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [query](./kibana-plugin-public.httpfetchoptions.query.md)
-
-## HttpFetchOptions.query property
-
-The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-query?: HttpFetchQuery;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [query](./kibana-plugin-public.httpfetchoptions.query.md)
+
+## HttpFetchOptions.query property
+
+The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+query?: HttpFetchQuery;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
index adccca83f5bb4..5c27122e07ba7 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md)
-
-## HttpFetchOptionsWithPath interface
-
-Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchOptionsWithPath extends HttpFetchOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md)
+
+## HttpFetchOptionsWithPath interface
+
+Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchOptionsWithPath extends HttpFetchOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
index 9341fd2f7693a..be84a6315564e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) &gt; [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md)
-
-## HttpFetchOptionsWithPath.path property
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) &gt; [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md)
+
+## HttpFetchOptionsWithPath.path property
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchquery.md b/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
index e09b22b074453..d270ceab91532 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)
-
-## HttpFetchQuery interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchQuery 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)
+
+## HttpFetchQuery interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchQuery 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httphandler.md b/docs/development/core/public/kibana-plugin-public.httphandler.md
index 42a6942eedef0..09d98fe97557f 100644
--- a/docs/development/core/public/kibana-plugin-public.httphandler.md
+++ b/docs/development/core/public/kibana-plugin-public.httphandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHandler](./kibana-plugin-public.httphandler.md)
-
-## HttpHandler interface
-
-A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpHandler 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHandler](./kibana-plugin-public.httphandler.md)
+
+## HttpHandler interface
+
+A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpHandler 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpheadersinit.md b/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
index 28177909972db..a0d5fec388f87 100644
--- a/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
+++ b/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
-
-## HttpHeadersInit interface
-
-Headers to append to the request. Any headers that begin with `kbn-` are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpHeadersInit 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
+
+## HttpHeadersInit interface
+
+Headers to append to the request. Any headers that begin with `kbn-` are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpHeadersInit 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
index a00a7ab0854fb..1cf782b1ba749 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)
-
-## HttpInterceptor interface
-
-An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptor 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [request(fetchOptions, controller)](./kibana-plugin-public.httpinterceptor.request.md) | Define an interceptor to be executed before a request is sent. |
-|  [requestError(httpErrorRequest, controller)](./kibana-plugin-public.httpinterceptor.requesterror.md) | Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise. |
-|  [response(httpResponse, controller)](./kibana-plugin-public.httpinterceptor.response.md) | Define an interceptor to be executed after a response is received. |
-|  [responseError(httpErrorResponse, controller)](./kibana-plugin-public.httpinterceptor.responseerror.md) | Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)
+
+## HttpInterceptor interface
+
+An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptor 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [request(fetchOptions, controller)](./kibana-plugin-public.httpinterceptor.request.md) | Define an interceptor to be executed before a request is sent. |
+|  [requestError(httpErrorRequest, controller)](./kibana-plugin-public.httpinterceptor.requesterror.md) | Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise. |
+|  [response(httpResponse, controller)](./kibana-plugin-public.httpinterceptor.response.md) | Define an interceptor to be executed after a response is received. |
+|  [responseError(httpErrorResponse, controller)](./kibana-plugin-public.httpinterceptor.responseerror.md) | Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
index d1d559916b36d..8a6812f40e4cd 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [request](./kibana-plugin-public.httpinterceptor.request.md)
-
-## HttpInterceptor.request() method
-
-Define an interceptor to be executed before a request is sent.
-
-<b>Signature:</b>
-
-```typescript
-request?(fetchOptions: Readonly<HttpFetchOptionsWithPath>, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  fetchOptions | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [request](./kibana-plugin-public.httpinterceptor.request.md)
+
+## HttpInterceptor.request() method
+
+Define an interceptor to be executed before a request is sent.
+
+<b>Signature:</b>
+
+```typescript
+request?(fetchOptions: Readonly<HttpFetchOptionsWithPath>, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  fetchOptions | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
index fc661d88bf1af..7bb9202aa905e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [requestError](./kibana-plugin-public.httpinterceptor.requesterror.md)
-
-## HttpInterceptor.requestError() method
-
-Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise.
-
-<b>Signature:</b>
-
-```typescript
-requestError?(httpErrorRequest: HttpInterceptorRequestError, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpErrorRequest | <code>HttpInterceptorRequestError</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [requestError](./kibana-plugin-public.httpinterceptor.requesterror.md)
+
+## HttpInterceptor.requestError() method
+
+Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise.
+
+<b>Signature:</b>
+
+```typescript
+requestError?(httpErrorRequest: HttpInterceptorRequestError, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpErrorRequest | <code>HttpInterceptorRequestError</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
index 95cf78dd6f8d1..12a5b36090abc 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [response](./kibana-plugin-public.httpinterceptor.response.md)
-
-## HttpInterceptor.response() method
-
-Define an interceptor to be executed after a response is received.
-
-<b>Signature:</b>
-
-```typescript
-response?(httpResponse: HttpResponse, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpResponse | <code>HttpResponse</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<IHttpResponseInterceptorOverrides> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [response](./kibana-plugin-public.httpinterceptor.response.md)
+
+## HttpInterceptor.response() method
+
+Define an interceptor to be executed after a response is received.
+
+<b>Signature:</b>
+
+```typescript
+response?(httpResponse: HttpResponse, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpResponse | <code>HttpResponse</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<IHttpResponseInterceptorOverrides> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
index 50e943bc93b07..d3c2b6db128c1 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [responseError](./kibana-plugin-public.httpinterceptor.responseerror.md)
-
-## HttpInterceptor.responseError() method
-
-Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise.
-
-<b>Signature:</b>
-
-```typescript
-responseError?(httpErrorResponse: HttpInterceptorResponseError, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpErrorResponse | <code>HttpInterceptorResponseError</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<IHttpResponseInterceptorOverrides> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [responseError](./kibana-plugin-public.httpinterceptor.responseerror.md)
+
+## HttpInterceptor.responseError() method
+
+Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise.
+
+<b>Signature:</b>
+
+```typescript
+responseError?(httpErrorResponse: HttpInterceptorResponseError, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpErrorResponse | <code>HttpInterceptorResponseError</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<IHttpResponseInterceptorOverrides> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
index 28fde834d9721..2eeafffb8d556 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md)
-
-## HttpInterceptorRequestError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: Error;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md)
+
+## HttpInterceptorRequestError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: Error;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
index 79c086224ff10..31a7f8ef44d9f 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md)
-
-## HttpInterceptorRequestError.fetchOptions property
-
-<b>Signature:</b>
-
-```typescript
-fetchOptions: Readonly<HttpFetchOptionsWithPath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md)
+
+## HttpInterceptorRequestError.fetchOptions property
+
+<b>Signature:</b>
+
+```typescript
+fetchOptions: Readonly<HttpFetchOptionsWithPath>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
index 4375719e0802b..4174523ed5fa6 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md)
-
-## HttpInterceptorRequestError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptorRequestError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md) | <code>Error</code> |  |
-|  [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md)
+
+## HttpInterceptorRequestError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptorRequestError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md) | <code>Error</code> |  |
+|  [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
index a9bdf41b36868..c1367ccdd580e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md)
-
-## HttpInterceptorResponseError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: Error | IHttpFetchError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md)
+
+## HttpInterceptorResponseError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: Error | IHttpFetchError;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
index 49b4b2545a5f3..d306f9c6096bd 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md)
-
-## HttpInterceptorResponseError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptorResponseError extends HttpResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md) | <code>Error &#124; IHttpFetchError</code> |  |
-|  [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md) | <code>Readonly&lt;Request&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md)
+
+## HttpInterceptorResponseError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptorResponseError extends HttpResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md) | <code>Error &#124; IHttpFetchError</code> |  |
+|  [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md) | <code>Readonly&lt;Request&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
index cb6252ceb8e41..d2f2826c04283 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md)
-
-## HttpInterceptorResponseError.request property
-
-<b>Signature:</b>
-
-```typescript
-request: Readonly<Request>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md)
+
+## HttpInterceptorResponseError.request property
+
+<b>Signature:</b>
+
+```typescript
+request: Readonly<Request>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
index 44b33c9917543..ba0075787e5d1 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [body](./kibana-plugin-public.httprequestinit.body.md)
-
-## HttpRequestInit.body property
-
-A BodyInit object or null to set request's body.
-
-<b>Signature:</b>
-
-```typescript
-body?: BodyInit | null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [body](./kibana-plugin-public.httprequestinit.body.md)
+
+## HttpRequestInit.body property
+
+A BodyInit object or null to set request's body.
+
+<b>Signature:</b>
+
+```typescript
+body?: BodyInit | null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
index 0f9dff3887ccf..bb9071aa45aec 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [cache](./kibana-plugin-public.httprequestinit.cache.md)
-
-## HttpRequestInit.cache property
-
-The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching.
-
-<b>Signature:</b>
-
-```typescript
-cache?: RequestCache;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [cache](./kibana-plugin-public.httprequestinit.cache.md)
+
+## HttpRequestInit.cache property
+
+The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching.
+
+<b>Signature:</b>
+
+```typescript
+cache?: RequestCache;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
index 93c624cd1980c..55355488df792 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [credentials](./kibana-plugin-public.httprequestinit.credentials.md)
-
-## HttpRequestInit.credentials property
-
-The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL.
-
-<b>Signature:</b>
-
-```typescript
-credentials?: RequestCredentials;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [credentials](./kibana-plugin-public.httprequestinit.credentials.md)
+
+## HttpRequestInit.credentials property
+
+The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL.
+
+<b>Signature:</b>
+
+```typescript
+credentials?: RequestCredentials;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
index 0f885ed0df1a3..f2f98eaa4451e 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [headers](./kibana-plugin-public.httprequestinit.headers.md)
-
-## HttpRequestInit.headers property
-
-[HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
-
-<b>Signature:</b>
-
-```typescript
-headers?: HttpHeadersInit;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [headers](./kibana-plugin-public.httprequestinit.headers.md)
+
+## HttpRequestInit.headers property
+
+[HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
+
+<b>Signature:</b>
+
+```typescript
+headers?: HttpHeadersInit;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
index 7bb1665fdfcbe..2da1f5827a680 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [integrity](./kibana-plugin-public.httprequestinit.integrity.md)
-
-## HttpRequestInit.integrity property
-
-Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace.
-
-<b>Signature:</b>
-
-```typescript
-integrity?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [integrity](./kibana-plugin-public.httprequestinit.integrity.md)
+
+## HttpRequestInit.integrity property
+
+Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace.
+
+<b>Signature:</b>
+
+```typescript
+integrity?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
index ba256188ce338..35a4020485bca 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md)
-
-## HttpRequestInit.keepalive property
-
-Whether or not request can outlive the global in which it was created.
-
-<b>Signature:</b>
-
-```typescript
-keepalive?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md)
+
+## HttpRequestInit.keepalive property
+
+Whether or not request can outlive the global in which it was created.
+
+<b>Signature:</b>
+
+```typescript
+keepalive?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.md
index 1271e039b0713..04b57e48109f6 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md)
-
-## HttpRequestInit interface
-
-Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpRequestInit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.httprequestinit.body.md) | <code>BodyInit &#124; null</code> | A BodyInit object or null to set request's body. |
-|  [cache](./kibana-plugin-public.httprequestinit.cache.md) | <code>RequestCache</code> | The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching. |
-|  [credentials](./kibana-plugin-public.httprequestinit.credentials.md) | <code>RequestCredentials</code> | The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL. |
-|  [headers](./kibana-plugin-public.httprequestinit.headers.md) | <code>HttpHeadersInit</code> | [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) |
-|  [integrity](./kibana-plugin-public.httprequestinit.integrity.md) | <code>string</code> | Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace. |
-|  [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md) | <code>boolean</code> | Whether or not request can outlive the global in which it was created. |
-|  [method](./kibana-plugin-public.httprequestinit.method.md) | <code>string</code> | HTTP method, which is "GET" by default. |
-|  [mode](./kibana-plugin-public.httprequestinit.mode.md) | <code>RequestMode</code> | The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs. |
-|  [redirect](./kibana-plugin-public.httprequestinit.redirect.md) | <code>RequestRedirect</code> | The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default. |
-|  [referrer](./kibana-plugin-public.httprequestinit.referrer.md) | <code>string</code> | The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the <code>Referer</code> header of the request being made. |
-|  [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md) | <code>ReferrerPolicy</code> | The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer. |
-|  [signal](./kibana-plugin-public.httprequestinit.signal.md) | <code>AbortSignal &#124; null</code> | Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler. |
-|  [window](./kibana-plugin-public.httprequestinit.window.md) | <code>null</code> | Can only be null. Used to disassociate request from any Window. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md)
+
+## HttpRequestInit interface
+
+Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpRequestInit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.httprequestinit.body.md) | <code>BodyInit &#124; null</code> | A BodyInit object or null to set request's body. |
+|  [cache](./kibana-plugin-public.httprequestinit.cache.md) | <code>RequestCache</code> | The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching. |
+|  [credentials](./kibana-plugin-public.httprequestinit.credentials.md) | <code>RequestCredentials</code> | The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL. |
+|  [headers](./kibana-plugin-public.httprequestinit.headers.md) | <code>HttpHeadersInit</code> | [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) |
+|  [integrity](./kibana-plugin-public.httprequestinit.integrity.md) | <code>string</code> | Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace. |
+|  [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md) | <code>boolean</code> | Whether or not request can outlive the global in which it was created. |
+|  [method](./kibana-plugin-public.httprequestinit.method.md) | <code>string</code> | HTTP method, which is "GET" by default. |
+|  [mode](./kibana-plugin-public.httprequestinit.mode.md) | <code>RequestMode</code> | The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs. |
+|  [redirect](./kibana-plugin-public.httprequestinit.redirect.md) | <code>RequestRedirect</code> | The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default. |
+|  [referrer](./kibana-plugin-public.httprequestinit.referrer.md) | <code>string</code> | The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the <code>Referer</code> header of the request being made. |
+|  [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md) | <code>ReferrerPolicy</code> | The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer. |
+|  [signal](./kibana-plugin-public.httprequestinit.signal.md) | <code>AbortSignal &#124; null</code> | Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler. |
+|  [window](./kibana-plugin-public.httprequestinit.window.md) | <code>null</code> | Can only be null. Used to disassociate request from any Window. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
index c3465ae75521d..1c14d72e5e5f9 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [method](./kibana-plugin-public.httprequestinit.method.md)
-
-## HttpRequestInit.method property
-
-HTTP method, which is "GET" by default.
-
-<b>Signature:</b>
-
-```typescript
-method?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [method](./kibana-plugin-public.httprequestinit.method.md)
+
+## HttpRequestInit.method property
+
+HTTP method, which is "GET" by default.
+
+<b>Signature:</b>
+
+```typescript
+method?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
index 5ba625318eb27..d3358a3a6b068 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [mode](./kibana-plugin-public.httprequestinit.mode.md)
-
-## HttpRequestInit.mode property
-
-The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs.
-
-<b>Signature:</b>
-
-```typescript
-mode?: RequestMode;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [mode](./kibana-plugin-public.httprequestinit.mode.md)
+
+## HttpRequestInit.mode property
+
+The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs.
+
+<b>Signature:</b>
+
+```typescript
+mode?: RequestMode;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
index b2554812fadf9..6b07fd44416b7 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [redirect](./kibana-plugin-public.httprequestinit.redirect.md)
-
-## HttpRequestInit.redirect property
-
-The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default.
-
-<b>Signature:</b>
-
-```typescript
-redirect?: RequestRedirect;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [redirect](./kibana-plugin-public.httprequestinit.redirect.md)
+
+## HttpRequestInit.redirect property
+
+The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default.
+
+<b>Signature:</b>
+
+```typescript
+redirect?: RequestRedirect;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
index 56c9bcb4afaa9..c1a8960de6eac 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrer](./kibana-plugin-public.httprequestinit.referrer.md)
-
-## HttpRequestInit.referrer property
-
-The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the `Referer` header of the request being made.
-
-<b>Signature:</b>
-
-```typescript
-referrer?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrer](./kibana-plugin-public.httprequestinit.referrer.md)
+
+## HttpRequestInit.referrer property
+
+The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the `Referer` header of the request being made.
+
+<b>Signature:</b>
+
+```typescript
+referrer?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
index 07231203c0030..05e1e2487f8f2 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md)
-
-## HttpRequestInit.referrerPolicy property
-
-The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer.
-
-<b>Signature:</b>
-
-```typescript
-referrerPolicy?: ReferrerPolicy;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md)
+
+## HttpRequestInit.referrerPolicy property
+
+The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer.
+
+<b>Signature:</b>
+
+```typescript
+referrerPolicy?: ReferrerPolicy;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
index b0e863eaa804f..38a9f5d48056a 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [signal](./kibana-plugin-public.httprequestinit.signal.md)
-
-## HttpRequestInit.signal property
-
-Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler.
-
-<b>Signature:</b>
-
-```typescript
-signal?: AbortSignal | null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [signal](./kibana-plugin-public.httprequestinit.signal.md)
+
+## HttpRequestInit.signal property
+
+Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler.
+
+<b>Signature:</b>
+
+```typescript
+signal?: AbortSignal | null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
index 1a6d740065423..67a3a163a5d27 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [window](./kibana-plugin-public.httprequestinit.window.md)
-
-## HttpRequestInit.window property
-
-Can only be null. Used to disassociate request from any Window.
-
-<b>Signature:</b>
-
-```typescript
-window?: null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [window](./kibana-plugin-public.httprequestinit.window.md)
+
+## HttpRequestInit.window property
+
+Can only be null. Used to disassociate request from any Window.
+
+<b>Signature:</b>
+
+```typescript
+window?: null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.body.md b/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
index 3eb167afaa40e..773812135602b 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [body](./kibana-plugin-public.httpresponse.body.md)
-
-## HttpResponse.body property
-
-Parsed body received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: TResponseBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [body](./kibana-plugin-public.httpresponse.body.md)
+
+## HttpResponse.body property
+
+Parsed body received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: TResponseBody;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
index 65974efe8494e..8fd4f8d1e908e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md)
-
-## HttpResponse.fetchOptions property
-
-The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request.
-
-<b>Signature:</b>
-
-```typescript
-readonly fetchOptions: Readonly<HttpFetchOptionsWithPath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md)
+
+## HttpResponse.fetchOptions property
+
+The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request.
+
+<b>Signature:</b>
+
+```typescript
+readonly fetchOptions: Readonly<HttpFetchOptionsWithPath>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.md b/docs/development/core/public/kibana-plugin-public.httpresponse.md
index 74097533f6090..3e70e5556b982 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md)
-
-## HttpResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpResponse<TResponseBody = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.httpresponse.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
-|  [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> | The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request. |
-|  [request](./kibana-plugin-public.httpresponse.request.md) | <code>Readonly&lt;Request&gt;</code> | Raw request sent to Kibana server. |
-|  [response](./kibana-plugin-public.httpresponse.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md)
+
+## HttpResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpResponse<TResponseBody = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.httpresponse.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
+|  [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> | The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request. |
+|  [request](./kibana-plugin-public.httpresponse.request.md) | <code>Readonly&lt;Request&gt;</code> | Raw request sent to Kibana server. |
+|  [response](./kibana-plugin-public.httpresponse.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.request.md b/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
index c2a483033247d..583a295e26a72 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [request](./kibana-plugin-public.httpresponse.request.md)
-
-## HttpResponse.request property
-
-Raw request sent to Kibana server.
-
-<b>Signature:</b>
-
-```typescript
-readonly request: Readonly<Request>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [request](./kibana-plugin-public.httpresponse.request.md)
+
+## HttpResponse.request property
+
+Raw request sent to Kibana server.
+
+<b>Signature:</b>
+
+```typescript
+readonly request: Readonly<Request>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.response.md b/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
index 3a58a3f35012f..b773b3a4d5b55 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [response](./kibana-plugin-public.httpresponse.response.md)
-
-## HttpResponse.response property
-
-Raw response received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Readonly<Response>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [response](./kibana-plugin-public.httpresponse.response.md)
+
+## HttpResponse.response property
+
+Raw response received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Readonly<Response>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md b/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
index a2fe66bb55c77..88b1e14f6e85b 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [addLoadingCountSource](./kibana-plugin-public.httpsetup.addloadingcountsource.md)
-
-## HttpSetup.addLoadingCountSource() method
-
-Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0.
-
-<b>Signature:</b>
-
-```typescript
-addLoadingCountSource(countSource$: Observable<number>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  countSource$ | <code>Observable&lt;number&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [addLoadingCountSource](./kibana-plugin-public.httpsetup.addloadingcountsource.md)
+
+## HttpSetup.addLoadingCountSource() method
+
+Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0.
+
+<b>Signature:</b>
+
+```typescript
+addLoadingCountSource(countSource$: Observable<number>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  countSource$ | <code>Observable&lt;number&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md b/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
index a9268ca1d8ed6..c44357b39443f 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md)
-
-## HttpSetup.anonymousPaths property
-
-APIs for denoting certain paths for not requiring authentication
-
-<b>Signature:</b>
-
-```typescript
-anonymousPaths: IAnonymousPaths;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md)
+
+## HttpSetup.anonymousPaths property
+
+APIs for denoting certain paths for not requiring authentication
+
+<b>Signature:</b>
+
+```typescript
+anonymousPaths: IAnonymousPaths;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md b/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
index 6b0726dc8ef2b..fa5ec7d6fef38 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [basePath](./kibana-plugin-public.httpsetup.basepath.md)
-
-## HttpSetup.basePath property
-
-APIs for manipulating the basePath on URL segments.
-
-<b>Signature:</b>
-
-```typescript
-basePath: IBasePath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [basePath](./kibana-plugin-public.httpsetup.basepath.md)
+
+## HttpSetup.basePath property
+
+APIs for manipulating the basePath on URL segments.
+
+<b>Signature:</b>
+
+```typescript
+basePath: IBasePath;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md b/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
index 565f0eb336d4f..83ce558826baf 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [delete](./kibana-plugin-public.httpsetup.delete.md)
-
-## HttpSetup.delete property
-
-Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-delete: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [delete](./kibana-plugin-public.httpsetup.delete.md)
+
+## HttpSetup.delete property
+
+Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+delete: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md b/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
index 2d6447363fa9b..4f9b24ca03e61 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [fetch](./kibana-plugin-public.httpsetup.fetch.md)
-
-## HttpSetup.fetch property
-
-Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-fetch: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [fetch](./kibana-plugin-public.httpsetup.fetch.md)
+
+## HttpSetup.fetch property
+
+Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+fetch: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.get.md b/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
index 0c484e33e9b58..920b53d23c95c 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [get](./kibana-plugin-public.httpsetup.get.md)
-
-## HttpSetup.get property
-
-Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-get: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [get](./kibana-plugin-public.httpsetup.get.md)
+
+## HttpSetup.get property
+
+Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+get: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md b/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
index 628b62b2ffc27..7f7a275e990f0 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [getLoadingCount$](./kibana-plugin-public.httpsetup.getloadingcount_.md)
-
-## HttpSetup.getLoadingCount$() method
-
-Get the sum of all loading count sources as a single Observable.
-
-<b>Signature:</b>
-
-```typescript
-getLoadingCount$(): Observable<number>;
-```
-<b>Returns:</b>
-
-`Observable<number>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [getLoadingCount$](./kibana-plugin-public.httpsetup.getloadingcount_.md)
+
+## HttpSetup.getLoadingCount$() method
+
+Get the sum of all loading count sources as a single Observable.
+
+<b>Signature:</b>
+
+```typescript
+getLoadingCount$(): Observable<number>;
+```
+<b>Returns:</b>
+
+`Observable<number>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.head.md b/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
index e4d49c843e572..243998a68eb44 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [head](./kibana-plugin-public.httpsetup.head.md)
-
-## HttpSetup.head property
-
-Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-head: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [head](./kibana-plugin-public.httpsetup.head.md)
+
+## HttpSetup.head property
+
+Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+head: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md b/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
index 1bda0c6166e65..36cf80aeb52de 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [intercept](./kibana-plugin-public.httpsetup.intercept.md)
-
-## HttpSetup.intercept() method
-
-Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client.
-
-<b>Signature:</b>
-
-```typescript
-intercept(interceptor: HttpInterceptor): () => void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  interceptor | <code>HttpInterceptor</code> |  |
-
-<b>Returns:</b>
-
-`() => void`
-
-a function for removing the attached interceptor.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [intercept](./kibana-plugin-public.httpsetup.intercept.md)
+
+## HttpSetup.intercept() method
+
+Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client.
+
+<b>Signature:</b>
+
+```typescript
+intercept(interceptor: HttpInterceptor): () => void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  interceptor | <code>HttpInterceptor</code> |  |
+
+<b>Returns:</b>
+
+`() => void`
+
+a function for removing the attached interceptor.
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.md b/docs/development/core/public/kibana-plugin-public.httpsetup.md
index 8a14d26c57ca3..d458f0edcc8a8 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-## HttpSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md) | <code>IAnonymousPaths</code> | APIs for denoting certain paths for not requiring authentication |
-|  [basePath](./kibana-plugin-public.httpsetup.basepath.md) | <code>IBasePath</code> | APIs for manipulating the basePath on URL segments. |
-|  [delete](./kibana-plugin-public.httpsetup.delete.md) | <code>HttpHandler</code> | Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [fetch](./kibana-plugin-public.httpsetup.fetch.md) | <code>HttpHandler</code> | Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [get](./kibana-plugin-public.httpsetup.get.md) | <code>HttpHandler</code> | Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [head](./kibana-plugin-public.httpsetup.head.md) | <code>HttpHandler</code> | Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [options](./kibana-plugin-public.httpsetup.options.md) | <code>HttpHandler</code> | Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [patch](./kibana-plugin-public.httpsetup.patch.md) | <code>HttpHandler</code> | Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [post](./kibana-plugin-public.httpsetup.post.md) | <code>HttpHandler</code> | Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [put](./kibana-plugin-public.httpsetup.put.md) | <code>HttpHandler</code> | Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [addLoadingCountSource(countSource$)](./kibana-plugin-public.httpsetup.addloadingcountsource.md) | Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0. |
-|  [getLoadingCount$()](./kibana-plugin-public.httpsetup.getloadingcount_.md) | Get the sum of all loading count sources as a single Observable. |
-|  [intercept(interceptor)](./kibana-plugin-public.httpsetup.intercept.md) | Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+## HttpSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md) | <code>IAnonymousPaths</code> | APIs for denoting certain paths for not requiring authentication |
+|  [basePath](./kibana-plugin-public.httpsetup.basepath.md) | <code>IBasePath</code> | APIs for manipulating the basePath on URL segments. |
+|  [delete](./kibana-plugin-public.httpsetup.delete.md) | <code>HttpHandler</code> | Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [fetch](./kibana-plugin-public.httpsetup.fetch.md) | <code>HttpHandler</code> | Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [get](./kibana-plugin-public.httpsetup.get.md) | <code>HttpHandler</code> | Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [head](./kibana-plugin-public.httpsetup.head.md) | <code>HttpHandler</code> | Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [options](./kibana-plugin-public.httpsetup.options.md) | <code>HttpHandler</code> | Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [patch](./kibana-plugin-public.httpsetup.patch.md) | <code>HttpHandler</code> | Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [post](./kibana-plugin-public.httpsetup.post.md) | <code>HttpHandler</code> | Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [put](./kibana-plugin-public.httpsetup.put.md) | <code>HttpHandler</code> | Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [addLoadingCountSource(countSource$)](./kibana-plugin-public.httpsetup.addloadingcountsource.md) | Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0. |
+|  [getLoadingCount$()](./kibana-plugin-public.httpsetup.getloadingcount_.md) | Get the sum of all loading count sources as a single Observable. |
+|  [intercept(interceptor)](./kibana-plugin-public.httpsetup.intercept.md) | Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.options.md b/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
index 4ea5be8826bff..005ca3ab19ddd 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [options](./kibana-plugin-public.httpsetup.options.md)
-
-## HttpSetup.options property
-
-Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-options: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [options](./kibana-plugin-public.httpsetup.options.md)
+
+## HttpSetup.options property
+
+Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+options: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md b/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
index ef1d50005b012..ee06af0ca6351 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [patch](./kibana-plugin-public.httpsetup.patch.md)
-
-## HttpSetup.patch property
-
-Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-patch: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [patch](./kibana-plugin-public.httpsetup.patch.md)
+
+## HttpSetup.patch property
+
+Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+patch: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.post.md b/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
index 1c19c35ac3038..7b9a7af51fe04 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [post](./kibana-plugin-public.httpsetup.post.md)
-
-## HttpSetup.post property
-
-Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-post: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [post](./kibana-plugin-public.httpsetup.post.md)
+
+## HttpSetup.post property
+
+Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+post: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.put.md b/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
index e5243d8c80dae..d9d412ff13d92 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [put](./kibana-plugin-public.httpsetup.put.md)
-
-## HttpSetup.put property
-
-Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-put: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [put](./kibana-plugin-public.httpsetup.put.md)
+
+## HttpSetup.put property
+
+Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+put: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpstart.md b/docs/development/core/public/kibana-plugin-public.httpstart.md
index 9abf319acf00d..5e3b5d066b0db 100644
--- a/docs/development/core/public/kibana-plugin-public.httpstart.md
+++ b/docs/development/core/public/kibana-plugin-public.httpstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpStart](./kibana-plugin-public.httpstart.md)
-
-## HttpStart type
-
-See [HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HttpStart = HttpSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpStart](./kibana-plugin-public.httpstart.md)
+
+## HttpStart type
+
+See [HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HttpStart = HttpSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.i18nstart.context.md b/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
index 1dda40711b49b..29ac950cc7adb 100644
--- a/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
+++ b/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md) &gt; [Context](./kibana-plugin-public.i18nstart.context.md)
-
-## I18nStart.Context property
-
-React Context provider required as the topmost component for any i18n-compatible React tree.
-
-<b>Signature:</b>
-
-```typescript
-Context: ({ children }: {
-        children: React.ReactNode;
-    }) => JSX.Element;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md) &gt; [Context](./kibana-plugin-public.i18nstart.context.md)
+
+## I18nStart.Context property
+
+React Context provider required as the topmost component for any i18n-compatible React tree.
+
+<b>Signature:</b>
+
+```typescript
+Context: ({ children }: {
+        children: React.ReactNode;
+    }) => JSX.Element;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.i18nstart.md b/docs/development/core/public/kibana-plugin-public.i18nstart.md
index 0df5ee93a6af0..83dd60abfb490 100644
--- a/docs/development/core/public/kibana-plugin-public.i18nstart.md
+++ b/docs/development/core/public/kibana-plugin-public.i18nstart.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md)
-
-## I18nStart interface
-
-I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree.
-
-<b>Signature:</b>
-
-```typescript
-export interface I18nStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [Context](./kibana-plugin-public.i18nstart.context.md) | <code>({ children }: {</code><br/><code>        children: React.ReactNode;</code><br/><code>    }) =&gt; JSX.Element</code> | React Context provider required as the topmost component for any i18n-compatible React tree. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md)
+
+## I18nStart interface
+
+I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree.
+
+<b>Signature:</b>
+
+```typescript
+export interface I18nStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [Context](./kibana-plugin-public.i18nstart.context.md) | <code>({ children }: {</code><br/><code>        children: React.ReactNode;</code><br/><code>    }) =&gt; JSX.Element</code> | React Context provider required as the topmost component for any i18n-compatible React tree. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
index d6be78e1e725b..269c255e880f0 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [isAnonymous](./kibana-plugin-public.ianonymouspaths.isanonymous.md)
-
-## IAnonymousPaths.isAnonymous() method
-
-Determines whether the provided path doesn't require authentication. `path` should include the current basePath.
-
-<b>Signature:</b>
-
-```typescript
-isAnonymous(path: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  path | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [isAnonymous](./kibana-plugin-public.ianonymouspaths.isanonymous.md)
+
+## IAnonymousPaths.isAnonymous() method
+
+Determines whether the provided path doesn't require authentication. `path` should include the current basePath.
+
+<b>Signature:</b>
+
+```typescript
+isAnonymous(path: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  path | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
index 1290df28780cf..65563f1f8d903 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md)
-
-## IAnonymousPaths interface
-
-APIs for denoting paths as not requiring authentication
-
-<b>Signature:</b>
-
-```typescript
-export interface IAnonymousPaths 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [isAnonymous(path)](./kibana-plugin-public.ianonymouspaths.isanonymous.md) | Determines whether the provided path doesn't require authentication. <code>path</code> should include the current basePath. |
-|  [register(path)](./kibana-plugin-public.ianonymouspaths.register.md) | Register <code>path</code> as not requiring authentication. <code>path</code> should not include the current basePath. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md)
+
+## IAnonymousPaths interface
+
+APIs for denoting paths as not requiring authentication
+
+<b>Signature:</b>
+
+```typescript
+export interface IAnonymousPaths 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [isAnonymous(path)](./kibana-plugin-public.ianonymouspaths.isanonymous.md) | Determines whether the provided path doesn't require authentication. <code>path</code> should include the current basePath. |
+|  [register(path)](./kibana-plugin-public.ianonymouspaths.register.md) | Register <code>path</code> as not requiring authentication. <code>path</code> should not include the current basePath. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
index 3ab9bf438aa16..49819ae7f2420 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [register](./kibana-plugin-public.ianonymouspaths.register.md)
-
-## IAnonymousPaths.register() method
-
-Register `path` as not requiring authentication. `path` should not include the current basePath.
-
-<b>Signature:</b>
-
-```typescript
-register(path: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  path | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [register](./kibana-plugin-public.ianonymouspaths.register.md)
+
+## IAnonymousPaths.register() method
+
+Register `path` as not requiring authentication. `path` should not include the current basePath.
+
+<b>Signature:</b>
+
+```typescript
+register(path: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  path | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.get.md b/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
index 08ca3afee11f7..2b3354c00c0f6 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [get](./kibana-plugin-public.ibasepath.get.md)
-
-## IBasePath.get property
-
-Gets the `basePath` string.
-
-<b>Signature:</b>
-
-```typescript
-get: () => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [get](./kibana-plugin-public.ibasepath.get.md)
+
+## IBasePath.get property
+
+Gets the `basePath` string.
+
+<b>Signature:</b>
+
+```typescript
+get: () => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.md b/docs/development/core/public/kibana-plugin-public.ibasepath.md
index de392d45c4493..ca4c4b7ad3be7 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md)
-
-## IBasePath interface
-
-APIs for manipulating the basePath on URL segments.
-
-<b>Signature:</b>
-
-```typescript
-export interface IBasePath 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-public.ibasepath.get.md) | <code>() =&gt; string</code> | Gets the <code>basePath</code> string. |
-|  [prepend](./kibana-plugin-public.ibasepath.prepend.md) | <code>(url: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
-|  [remove](./kibana-plugin-public.ibasepath.remove.md) | <code>(url: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md)
+
+## IBasePath interface
+
+APIs for manipulating the basePath on URL segments.
+
+<b>Signature:</b>
+
+```typescript
+export interface IBasePath 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-public.ibasepath.get.md) | <code>() =&gt; string</code> | Gets the <code>basePath</code> string. |
+|  [prepend](./kibana-plugin-public.ibasepath.prepend.md) | <code>(url: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
+|  [remove](./kibana-plugin-public.ibasepath.remove.md) | <code>(url: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md b/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
index 48b909aa2f7a8..98c07f848a5a9 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [prepend](./kibana-plugin-public.ibasepath.prepend.md)
-
-## IBasePath.prepend property
-
-Prepends `path` with the basePath.
-
-<b>Signature:</b>
-
-```typescript
-prepend: (url: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [prepend](./kibana-plugin-public.ibasepath.prepend.md)
+
+## IBasePath.prepend property
+
+Prepends `path` with the basePath.
+
+<b>Signature:</b>
+
+```typescript
+prepend: (url: string) => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md b/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
index 6af8564420830..ce930fa1e1596 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [remove](./kibana-plugin-public.ibasepath.remove.md)
-
-## IBasePath.remove property
-
-Removes the prepended basePath from the `path`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-remove: (url: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [remove](./kibana-plugin-public.ibasepath.remove.md)
+
+## IBasePath.remove property
+
+Removes the prepended basePath from the `path`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+remove: (url: string) => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
index af3b5e3fc2eb6..58db072fabc15 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-public.icontextcontainer.createhandler.md)
-
-## IContextContainer.createHandler() method
-
-Create a new handler function pre-wired to context for the plugin.
-
-<b>Signature:</b>
-
-```typescript
-createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
-|  handler | <code>THandler</code> | Handler function to pass context object to. |
-
-<b>Returns:</b>
-
-`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
-
-A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-public.icontextcontainer.createhandler.md)
+
+## IContextContainer.createHandler() method
+
+Create a new handler function pre-wired to context for the plugin.
+
+<b>Signature:</b>
+
+```typescript
+createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
+|  handler | <code>THandler</code> | Handler function to pass context object to. |
+
+<b>Returns:</b>
+
+`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
+
+A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
index 7a21df6b93bb5..4b01554662aad 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
@@ -1,80 +1,80 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
-
-## IContextContainer interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface IContextContainer<THandler extends HandlerFunction<any>> 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-public.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
-|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-public.icontextcontainer.registercontext.md) | Register a new context provider. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
+
+## IContextContainer interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface IContextContainer<THandler extends HandlerFunction<any>> 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-public.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
+|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-public.icontextcontainer.registercontext.md) | Register a new context provider. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
index 775f95bd7affa..15db2467582b6 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-public.icontextcontainer.registercontext.md)
-
-## IContextContainer.registerContext() method
-
-Register a new context provider.
-
-<b>Signature:</b>
-
-```typescript
-registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
-|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
-|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) to be called each time a new context is created. |
-
-<b>Returns:</b>
-
-`this`
-
-The [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for method chaining.
-
-## Remarks
-
-The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
-
-Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-public.icontextcontainer.registercontext.md)
+
+## IContextContainer.registerContext() method
+
+Register a new context provider.
+
+<b>Signature:</b>
+
+```typescript
+registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
+|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
+|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) to be called each time a new context is created. |
+
+<b>Returns:</b>
+
+`this`
+
+The [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for method chaining.
+
+## Remarks
+
+The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
+
+Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextprovider.md b/docs/development/core/public/kibana-plugin-public.icontextprovider.md
index 40f0ee3782f6d..157b4834d648f 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextprovider.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextprovider.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextProvider](./kibana-plugin-public.icontextprovider.md)
-
-## IContextProvider type
-
-A function that returns a context value for a specific key of given context type.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
-```
-
-## Remarks
-
-This function will be called each time a new context is built for a handler invocation.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextProvider](./kibana-plugin-public.icontextprovider.md)
+
+## IContextProvider type
+
+A function that returns a context value for a specific key of given context type.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
+```
+
+## Remarks
+
+This function will be called each time a new context is built for a handler invocation.
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
index 2a5f3a68635b8..3c9475dc2549f 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [body](./kibana-plugin-public.ihttpfetcherror.body.md)
-
-## IHttpFetchError.body property
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [body](./kibana-plugin-public.ihttpfetcherror.body.md)
+
+## IHttpFetchError.body property
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: any;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
index 0be3b58179209..6109671bb1aa6 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md)
-
-## IHttpFetchError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpFetchError extends Error 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.ihttpfetcherror.body.md) | <code>any</code> |  |
-|  [req](./kibana-plugin-public.ihttpfetcherror.req.md) | <code>Request</code> |  |
-|  [request](./kibana-plugin-public.ihttpfetcherror.request.md) | <code>Request</code> |  |
-|  [res](./kibana-plugin-public.ihttpfetcherror.res.md) | <code>Response</code> |  |
-|  [response](./kibana-plugin-public.ihttpfetcherror.response.md) | <code>Response</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md)
+
+## IHttpFetchError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpFetchError extends Error 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.ihttpfetcherror.body.md) | <code>any</code> |  |
+|  [req](./kibana-plugin-public.ihttpfetcherror.req.md) | <code>Request</code> |  |
+|  [request](./kibana-plugin-public.ihttpfetcherror.request.md) | <code>Request</code> |  |
+|  [res](./kibana-plugin-public.ihttpfetcherror.res.md) | <code>Response</code> |  |
+|  [response](./kibana-plugin-public.ihttpfetcherror.response.md) | <code>Response</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
index 1d20aa5ecd416..b8d84e9bbec4c 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [req](./kibana-plugin-public.ihttpfetcherror.req.md)
-
-## IHttpFetchError.req property
-
-> Warning: This API is now obsolete.
-> 
-> Provided for legacy compatibility. Prefer the `request` property instead.
-> 
-
-<b>Signature:</b>
-
-```typescript
-readonly req: Request;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [req](./kibana-plugin-public.ihttpfetcherror.req.md)
+
+## IHttpFetchError.req property
+
+> Warning: This API is now obsolete.
+> 
+> Provided for legacy compatibility. Prefer the `request` property instead.
+> 
+
+<b>Signature:</b>
+
+```typescript
+readonly req: Request;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
index bbb1432f13bfb..9917df69c799a 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [request](./kibana-plugin-public.ihttpfetcherror.request.md)
-
-## IHttpFetchError.request property
-
-<b>Signature:</b>
-
-```typescript
-readonly request: Request;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [request](./kibana-plugin-public.ihttpfetcherror.request.md)
+
+## IHttpFetchError.request property
+
+<b>Signature:</b>
+
+```typescript
+readonly request: Request;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
index 291b28f6a4250..f23fdc3e40848 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [res](./kibana-plugin-public.ihttpfetcherror.res.md)
-
-## IHttpFetchError.res property
-
-> Warning: This API is now obsolete.
-> 
-> Provided for legacy compatibility. Prefer the `response` property instead.
-> 
-
-<b>Signature:</b>
-
-```typescript
-readonly res?: Response;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [res](./kibana-plugin-public.ihttpfetcherror.res.md)
+
+## IHttpFetchError.res property
+
+> Warning: This API is now obsolete.
+> 
+> Provided for legacy compatibility. Prefer the `response` property instead.
+> 
+
+<b>Signature:</b>
+
+```typescript
+readonly res?: Response;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
index c5efc1cc3858c..7e4639db1eefe 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [response](./kibana-plugin-public.ihttpfetcherror.response.md)
-
-## IHttpFetchError.response property
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Response;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [response](./kibana-plugin-public.ihttpfetcherror.response.md)
+
+## IHttpFetchError.response property
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Response;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
index 6bd3e2e397b91..b501d7c97aded 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halt](./kibana-plugin-public.ihttpinterceptcontroller.halt.md)
-
-## IHttpInterceptController.halt() method
-
-Halt the request Promise chain and do not process further interceptors or response handlers.
-
-<b>Signature:</b>
-
-```typescript
-halt(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halt](./kibana-plugin-public.ihttpinterceptcontroller.halt.md)
+
+## IHttpInterceptController.halt() method
+
+Halt the request Promise chain and do not process further interceptors or response handlers.
+
+<b>Signature:</b>
+
+```typescript
+halt(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
index 2e61e8da56e6f..d2b15f8389c58 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md)
-
-## IHttpInterceptController.halted property
-
-Whether or not this chain has been halted.
-
-<b>Signature:</b>
-
-```typescript
-halted: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md)
+
+## IHttpInterceptController.halted property
+
+Whether or not this chain has been halted.
+
+<b>Signature:</b>
+
+```typescript
+halted: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
index b07d9fceb91f0..657614cd3e6e0 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)
-
-## IHttpInterceptController interface
-
-Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpInterceptController 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md) | <code>boolean</code> | Whether or not this chain has been halted. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [halt()](./kibana-plugin-public.ihttpinterceptcontroller.halt.md) | Halt the request Promise chain and do not process further interceptors or response handlers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)
+
+## IHttpInterceptController interface
+
+Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpInterceptController 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md) | <code>boolean</code> | Whether or not this chain has been halted. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [halt()](./kibana-plugin-public.ihttpinterceptcontroller.halt.md) | Halt the request Promise chain and do not process further interceptors or response handlers. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
index 36fcfb390617c..718083fa4cf77 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md)
-
-## IHttpResponseInterceptorOverrides.body property
-
-Parsed body received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: TResponseBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md)
+
+## IHttpResponseInterceptorOverrides.body property
+
+Parsed body received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: TResponseBody;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
index 44f067c429e98..dbb871f354cef 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md)
-
-## IHttpResponseInterceptorOverrides interface
-
-Properties that can be returned by HttpInterceptor.request to override the response.
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpResponseInterceptorOverrides<TResponseBody = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
-|  [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md)
+
+## IHttpResponseInterceptorOverrides interface
+
+Properties that can be returned by HttpInterceptor.request to override the response.
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpResponseInterceptorOverrides<TResponseBody = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
+|  [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
index bcba996645ba6..73ce3ba9a366d 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md)
-
-## IHttpResponseInterceptorOverrides.response property
-
-Raw response received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Readonly<Response>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md)
+
+## IHttpResponseInterceptorOverrides.response property
+
+Raw response received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Readonly<Response>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md b/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
index 07c4588ff2c8e..18e99c2a34e7e 100644
--- a/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
+++ b/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md) &gt; [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md)
-
-## ImageValidation.maxSize property
-
-<b>Signature:</b>
-
-```typescript
-maxSize: {
-        length: number;
-        description: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md) &gt; [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md)
+
+## ImageValidation.maxSize property
+
+<b>Signature:</b>
+
+```typescript
+maxSize: {
+        length: number;
+        description: string;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.imagevalidation.md b/docs/development/core/public/kibana-plugin-public.imagevalidation.md
index 783f417d0fb4d..99c23e44d35f1 100644
--- a/docs/development/core/public/kibana-plugin-public.imagevalidation.md
+++ b/docs/development/core/public/kibana-plugin-public.imagevalidation.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md)
-
-## ImageValidation interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ImageValidation 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md)
+
+## ImageValidation interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ImageValidation 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.itoasts.md b/docs/development/core/public/kibana-plugin-public.itoasts.md
index 2a6d454e2194a..999103e23ad5e 100644
--- a/docs/development/core/public/kibana-plugin-public.itoasts.md
+++ b/docs/development/core/public/kibana-plugin-public.itoasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IToasts](./kibana-plugin-public.itoasts.md)
-
-## IToasts type
-
-Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IToasts = Pick<ToastsApi, 'get$' | 'add' | 'remove' | 'addSuccess' | 'addWarning' | 'addDanger' | 'addError'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IToasts](./kibana-plugin-public.itoasts.md)
+
+## IToasts type
+
+Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IToasts = Pick<ToastsApi, 'get$' | 'add' | 'remove' | 'addSuccess' | 'addWarning' | 'addDanger' | 'addError'>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
index 8d14a10951a92..367129e55135c 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get](./kibana-plugin-public.iuisettingsclient.get.md)
-
-## IUiSettingsClient.get property
-
-Gets the value for a specific uiSetting. If this setting has no user-defined value then the `defaultOverride` parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin.
-
-<b>Signature:</b>
-
-```typescript
-get: <T = any>(key: string, defaultOverride?: T) => T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get](./kibana-plugin-public.iuisettingsclient.get.md)
+
+## IUiSettingsClient.get property
+
+Gets the value for a specific uiSetting. If this setting has no user-defined value then the `defaultOverride` parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin.
+
+<b>Signature:</b>
+
+```typescript
+get: <T = any>(key: string, defaultOverride?: T) => T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
index b7680b769f303..e68ee4698a642 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get$](./kibana-plugin-public.iuisettingsclient.get_.md)
-
-## IUiSettingsClient.get$ property
-
-Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a `defaultOverride` argument behaves the same as it does in \#get()
-
-<b>Signature:</b>
-
-```typescript
-get$: <T = any>(key: string, defaultOverride?: T) => Observable<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get$](./kibana-plugin-public.iuisettingsclient.get_.md)
+
+## IUiSettingsClient.get$ property
+
+Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a `defaultOverride` argument behaves the same as it does in \#get()
+
+<b>Signature:</b>
+
+```typescript
+get$: <T = any>(key: string, defaultOverride?: T) => Observable<T>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
index b767a8ff603c8..61e2edc7f1675 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-public.iuisettingsclient.getall.md)
-
-## IUiSettingsClient.getAll property
-
-Gets the metadata about all uiSettings, including the type, default value, and user value for each key.
-
-<b>Signature:</b>
-
-```typescript
-getAll: () => Readonly<Record<string, UiSettingsParams & UserProvidedValues>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-public.iuisettingsclient.getall.md)
+
+## IUiSettingsClient.getAll property
+
+Gets the metadata about all uiSettings, including the type, default value, and user value for each key.
+
+<b>Signature:</b>
+
+```typescript
+getAll: () => Readonly<Record<string, UiSettingsParams & UserProvidedValues>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
index a4ddb9abcba97..c5cf081423870 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md)
-
-## IUiSettingsClient.getSaved$ property
-
-Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
-
-<b>Signature:</b>
-
-```typescript
-getSaved$: <T = any>() => Observable<{
-        key: string;
-        newValue: T;
-        oldValue: T;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md)
+
+## IUiSettingsClient.getSaved$ property
+
+Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
+
+<b>Signature:</b>
+
+```typescript
+getSaved$: <T = any>() => Observable<{
+        key: string;
+        newValue: T;
+        oldValue: T;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
index cec5bc096cf02..471dc3dfe0c31 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md)
-
-## IUiSettingsClient.getUpdate$ property
-
-Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
-
-<b>Signature:</b>
-
-```typescript
-getUpdate$: <T = any>() => Observable<{
-        key: string;
-        newValue: T;
-        oldValue: T;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md)
+
+## IUiSettingsClient.getUpdate$ property
+
+Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
+
+<b>Signature:</b>
+
+```typescript
+getUpdate$: <T = any>() => Observable<{
+        key: string;
+        newValue: T;
+        oldValue: T;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
index 2fbcaac03e2bb..743219d935bbf 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md)
-
-## IUiSettingsClient.getUpdateErrors$ property
-
-Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class.
-
-<b>Signature:</b>
-
-```typescript
-getUpdateErrors$: () => Observable<Error>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md)
+
+## IUiSettingsClient.getUpdateErrors$ property
+
+Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class.
+
+<b>Signature:</b>
+
+```typescript
+getUpdateErrors$: () => Observable<Error>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
index 30de59c066ee3..c26b9b42dd00c 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md)
-
-## IUiSettingsClient.isCustom property
-
-Returns true if the setting wasn't registered by any plugin, but was either added directly via `set()`<!-- -->, or is an unknown setting found in the uiSettings saved object
-
-<b>Signature:</b>
-
-```typescript
-isCustom: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md)
+
+## IUiSettingsClient.isCustom property
+
+Returns true if the setting wasn't registered by any plugin, but was either added directly via `set()`<!-- -->, or is an unknown setting found in the uiSettings saved object
+
+<b>Signature:</b>
+
+```typescript
+isCustom: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
index 1ffcb61967e8a..e064d787e0c92 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md)
-
-## IUiSettingsClient.isDeclared property
-
-Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the `set()` method.
-
-<b>Signature:</b>
-
-```typescript
-isDeclared: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md)
+
+## IUiSettingsClient.isDeclared property
+
+Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the `set()` method.
+
+<b>Signature:</b>
+
+```typescript
+isDeclared: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
index d61367c9841d4..6fafaac0a01ff 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md)
-
-## IUiSettingsClient.isDefault property
-
-Returns true if the setting has no user-defined value or is unknown
-
-<b>Signature:</b>
-
-```typescript
-isDefault: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md)
+
+## IUiSettingsClient.isDefault property
+
+Returns true if the setting has no user-defined value or is unknown
+
+<b>Signature:</b>
+
+```typescript
+isDefault: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
index 5749e1db1fe43..28018eddafdde 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md)
-
-## IUiSettingsClient.isOverridden property
-
-Shows whether the uiSettings value set by the user.
-
-<b>Signature:</b>
-
-```typescript
-isOverridden: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md)
+
+## IUiSettingsClient.isOverridden property
+
+Shows whether the uiSettings value set by the user.
+
+<b>Signature:</b>
+
+```typescript
+isOverridden: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
index 4183a30806d9a..bc2fc02977f43 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-## IUiSettingsClient interface
-
-Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-export interface IUiSettingsClient 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-public.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; T</code> | Gets the value for a specific uiSetting. If this setting has no user-defined value then the <code>defaultOverride</code> parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin. |
-|  [get$](./kibana-plugin-public.iuisettingsclient.get_.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; Observable&lt;T&gt;</code> | Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a <code>defaultOverride</code> argument behaves the same as it does in \#get() |
-|  [getAll](./kibana-plugin-public.iuisettingsclient.getall.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams &amp; UserProvidedValues&gt;&gt;</code> | Gets the metadata about all uiSettings, including the type, default value, and user value for each key. |
-|  [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
-|  [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
-|  [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md) | <code>() =&gt; Observable&lt;Error&gt;</code> | Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class. |
-|  [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting wasn't registered by any plugin, but was either added directly via <code>set()</code>, or is an unknown setting found in the uiSettings saved object |
-|  [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the <code>set()</code> method. |
-|  [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting has no user-defined value or is unknown |
-|  [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
-|  [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md) | <code>(key: string, newDefault: any) =&gt; void</code> | Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost. |
-|  [remove](./kibana-plugin-public.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;boolean&gt;</code> | Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling <code>set(key, null)</code>, including the synchronization, custom setting, and error behavior of that method. |
-|  [set](./kibana-plugin-public.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;boolean&gt;</code> | Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the <code>get()</code> method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before <code>set()</code> was called. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+## IUiSettingsClient interface
+
+Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+export interface IUiSettingsClient 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-public.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; T</code> | Gets the value for a specific uiSetting. If this setting has no user-defined value then the <code>defaultOverride</code> parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin. |
+|  [get$](./kibana-plugin-public.iuisettingsclient.get_.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; Observable&lt;T&gt;</code> | Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a <code>defaultOverride</code> argument behaves the same as it does in \#get() |
+|  [getAll](./kibana-plugin-public.iuisettingsclient.getall.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams &amp; UserProvidedValues&gt;&gt;</code> | Gets the metadata about all uiSettings, including the type, default value, and user value for each key. |
+|  [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
+|  [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
+|  [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md) | <code>() =&gt; Observable&lt;Error&gt;</code> | Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class. |
+|  [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting wasn't registered by any plugin, but was either added directly via <code>set()</code>, or is an unknown setting found in the uiSettings saved object |
+|  [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the <code>set()</code> method. |
+|  [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting has no user-defined value or is unknown |
+|  [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
+|  [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md) | <code>(key: string, newDefault: any) =&gt; void</code> | Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost. |
+|  [remove](./kibana-plugin-public.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;boolean&gt;</code> | Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling <code>set(key, null)</code>, including the synchronization, custom setting, and error behavior of that method. |
+|  [set](./kibana-plugin-public.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;boolean&gt;</code> | Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the <code>get()</code> method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before <code>set()</code> was called. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
index d7e7c01876654..f56b5687da5a4 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md)
-
-## IUiSettingsClient.overrideLocalDefault property
-
-Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost.
-
-<b>Signature:</b>
-
-```typescript
-overrideLocalDefault: (key: string, newDefault: any) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md)
+
+## IUiSettingsClient.overrideLocalDefault property
+
+Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost.
+
+<b>Signature:</b>
+
+```typescript
+overrideLocalDefault: (key: string, newDefault: any) => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
index c2171e5c883f8..d086eb3dfc1a2 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [remove](./kibana-plugin-public.iuisettingsclient.remove.md)
-
-## IUiSettingsClient.remove property
-
-Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling `set(key, null)`<!-- -->, including the synchronization, custom setting, and error behavior of that method.
-
-<b>Signature:</b>
-
-```typescript
-remove: (key: string) => Promise<boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [remove](./kibana-plugin-public.iuisettingsclient.remove.md)
+
+## IUiSettingsClient.remove property
+
+Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling `set(key, null)`<!-- -->, including the synchronization, custom setting, and error behavior of that method.
+
+<b>Signature:</b>
+
+```typescript
+remove: (key: string) => Promise<boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
index d9e62eec4cf08..0c452d13beefd 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [set](./kibana-plugin-public.iuisettingsclient.set.md)
-
-## IUiSettingsClient.set property
-
-Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the `get()` method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before `set()` was called.
-
-<b>Signature:</b>
-
-```typescript
-set: (key: string, value: any) => Promise<boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [set](./kibana-plugin-public.iuisettingsclient.set.md)
+
+## IUiSettingsClient.set property
+
+Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the `get()` method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before `set()` was called.
+
+<b>Signature:</b>
+
+```typescript
+set: (key: string, value: any) => Promise<boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
index f71277e64ff17..7f3430e6de95e 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md)
-
-## LegacyCoreSetup.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: InjectedMetadataSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md)
+
+## LegacyCoreSetup.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: InjectedMetadataSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycoresetup.md b/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
index 803c96cd0b22c..6a06343cec70e 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md)
-
-## LegacyCoreSetup interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Setup interface exposed to the legacy platform via the `ui/new_platform` module.
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyCoreSetup extends CoreSetup<any> 
-```
-
-## Remarks
-
-Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreSetup](./kibana-plugin-public.coresetup.md)<!-- -->, unsupported methods will throw exceptions when called.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md) | <code>InjectedMetadataSetup</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md)
+
+## LegacyCoreSetup interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Setup interface exposed to the legacy platform via the `ui/new_platform` module.
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyCoreSetup extends CoreSetup<any> 
+```
+
+## Remarks
+
+Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreSetup](./kibana-plugin-public.coresetup.md)<!-- -->, unsupported methods will throw exceptions when called.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md) | <code>InjectedMetadataSetup</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
index cd818c3f5adc7..273b28a111bd4 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md)
-
-## LegacyCoreStart.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: InjectedMetadataStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md)
+
+## LegacyCoreStart.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: InjectedMetadataStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycorestart.md b/docs/development/core/public/kibana-plugin-public.legacycorestart.md
index 438a3d6110776..17bf021f06444 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycorestart.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycorestart.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md)
-
-## LegacyCoreStart interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Start interface exposed to the legacy platform via the `ui/new_platform` module.
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyCoreStart extends CoreStart 
-```
-
-## Remarks
-
-Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->, unsupported methods will throw exceptions when called.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md) | <code>InjectedMetadataStart</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md)
+
+## LegacyCoreStart interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Start interface exposed to the legacy platform via the `ui/new_platform` module.
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyCoreStart extends CoreStart 
+```
+
+## Remarks
+
+Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->, unsupported methods will throw exceptions when called.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md) | <code>InjectedMetadataStart</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
index 7026e9b519cc0..ff952b4509079 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [category](./kibana-plugin-public.legacynavlink.category.md)
-
-## LegacyNavLink.category property
-
-<b>Signature:</b>
-
-```typescript
-category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [category](./kibana-plugin-public.legacynavlink.category.md)
+
+## LegacyNavLink.category property
+
+<b>Signature:</b>
+
+```typescript
+category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
index bf0308e88d506..5cb803d1d2f91 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md)
-
-## LegacyNavLink.euiIconType property
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md)
+
+## LegacyNavLink.euiIconType property
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
index 5dfe64c3a9610..1bc64b6086628 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [icon](./kibana-plugin-public.legacynavlink.icon.md)
-
-## LegacyNavLink.icon property
-
-<b>Signature:</b>
-
-```typescript
-icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [icon](./kibana-plugin-public.legacynavlink.icon.md)
+
+## LegacyNavLink.icon property
+
+<b>Signature:</b>
+
+```typescript
+icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
index c8d8b025e48ee..c6c2f2dfd8d98 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [id](./kibana-plugin-public.legacynavlink.id.md)
-
-## LegacyNavLink.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [id](./kibana-plugin-public.legacynavlink.id.md)
+
+## LegacyNavLink.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.md
index e112110dd10f8..1476052ed7a43 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md)
-
-## LegacyNavLink interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyNavLink 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-public.legacynavlink.category.md) | <code>AppCategory</code> |  |
-|  [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md) | <code>string</code> |  |
-|  [icon](./kibana-plugin-public.legacynavlink.icon.md) | <code>string</code> |  |
-|  [id](./kibana-plugin-public.legacynavlink.id.md) | <code>string</code> |  |
-|  [order](./kibana-plugin-public.legacynavlink.order.md) | <code>number</code> |  |
-|  [title](./kibana-plugin-public.legacynavlink.title.md) | <code>string</code> |  |
-|  [url](./kibana-plugin-public.legacynavlink.url.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md)
+
+## LegacyNavLink interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyNavLink 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-public.legacynavlink.category.md) | <code>AppCategory</code> |  |
+|  [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md) | <code>string</code> |  |
+|  [icon](./kibana-plugin-public.legacynavlink.icon.md) | <code>string</code> |  |
+|  [id](./kibana-plugin-public.legacynavlink.id.md) | <code>string</code> |  |
+|  [order](./kibana-plugin-public.legacynavlink.order.md) | <code>number</code> |  |
+|  [title](./kibana-plugin-public.legacynavlink.title.md) | <code>string</code> |  |
+|  [url](./kibana-plugin-public.legacynavlink.url.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
index bfb2a2caad623..255fcfd0fb8cf 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [order](./kibana-plugin-public.legacynavlink.order.md)
-
-## LegacyNavLink.order property
-
-<b>Signature:</b>
-
-```typescript
-order: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [order](./kibana-plugin-public.legacynavlink.order.md)
+
+## LegacyNavLink.order property
+
+<b>Signature:</b>
+
+```typescript
+order: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
index 2cb7a4ebdbc76..90b1a98a90fef 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [title](./kibana-plugin-public.legacynavlink.title.md)
-
-## LegacyNavLink.title property
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [title](./kibana-plugin-public.legacynavlink.title.md)
+
+## LegacyNavLink.title property
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
index fc2d55109dc98..e26095bfbfb6e 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [url](./kibana-plugin-public.legacynavlink.url.md)
-
-## LegacyNavLink.url property
-
-<b>Signature:</b>
-
-```typescript
-url: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [url](./kibana-plugin-public.legacynavlink.url.md)
+
+## LegacyNavLink.url property
+
+<b>Signature:</b>
+
+```typescript
+url: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.md b/docs/development/core/public/kibana-plugin-public.md
index de6726b34dfab..95a4327728139 100644
--- a/docs/development/core/public/kibana-plugin-public.md
+++ b/docs/development/core/public/kibana-plugin-public.md
@@ -1,161 +1,161 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md)
-
-## kibana-plugin-public package
-
-The Kibana Core APIs for client-side plugins.
-
-A plugin's `public/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-public.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-public.plugin.md)<!-- -->.
-
-The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-public.coresetup.md) or [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
-
-## Classes
-
-|  Class | Description |
-|  --- | --- |
-|  [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects. |
-|  [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) | This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.<!-- -->It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations. |
-|  [ToastsApi](./kibana-plugin-public.toastsapi.md) | Methods for adding and removing global toast messages. |
-
-## Enumerations
-
-|  Enumeration | Description |
-|  --- | --- |
-|  [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md) | Possible type of actions on application leave. |
-|  [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) | Status of the application's navLink. |
-|  [AppStatus](./kibana-plugin-public.appstatus.md) | Accessibility status of an application. |
-
-## Interfaces
-
-|  Interface | Description |
-|  --- | --- |
-|  [App](./kibana-plugin-public.app.md) | Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function. |
-|  [AppBase](./kibana-plugin-public.appbase.md) |  |
-|  [AppCategory](./kibana-plugin-public.appcategory.md) | A category definition for nav links to know where to sort them in the left hand nav |
-|  [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.<!-- -->See  |
-|  [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.<!-- -->See  |
-|  [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |  |
-|  [ApplicationStart](./kibana-plugin-public.applicationstart.md) |  |
-|  [AppMountContext](./kibana-plugin-public.appmountcontext.md) | The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-|  [AppMountParameters](./kibana-plugin-public.appmountparameters.md) |  |
-|  [Capabilities](./kibana-plugin-public.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
-|  [ChromeBadge](./kibana-plugin-public.chromebadge.md) |  |
-|  [ChromeBrand](./kibana-plugin-public.chromebrand.md) |  |
-|  [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) | APIs for accessing and updating the document title. |
-|  [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) |  |
-|  [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) |  |
-|  [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
-|  [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) |  |
-|  [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
-|  [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
-|  [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) |  |
-|  [ChromeStart](./kibana-plugin-public.chromestart.md) | ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser. |
-|  [ContextSetup](./kibana-plugin-public.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [CoreSetup](./kibana-plugin-public.coresetup.md) | Core services exposed to the <code>Plugin</code> setup lifecycle |
-|  [CoreStart](./kibana-plugin-public.corestart.md) | Core services exposed to the <code>Plugin</code> start lifecycle |
-|  [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |  |
-|  [EnvironmentMode](./kibana-plugin-public.environmentmode.md) |  |
-|  [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) | Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
-|  [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) | Represents the <code>message</code> and <code>stack</code> of a fatal Error |
-|  [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
-|  [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) | All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->. |
-|  [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) | Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included. |
-|  [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md) |  |
-|  [HttpHandler](./kibana-plugin-public.httphandler.md) | A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response. |
-|  [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) | Headers to append to the request. Any headers that begin with <code>kbn-</code> are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error. |
-|  [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) | An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->. |
-|  [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) |  |
-|  [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) |  |
-|  [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) | Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s. |
-|  [HttpResponse](./kibana-plugin-public.httpresponse.md) |  |
-|  [HttpSetup](./kibana-plugin-public.httpsetup.md) |  |
-|  [I18nStart](./kibana-plugin-public.i18nstart.md) | I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree. |
-|  [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) | APIs for denoting paths as not requiring authentication |
-|  [IBasePath](./kibana-plugin-public.ibasepath.md) | APIs for manipulating the basePath on URL segments. |
-|  [IContextContainer](./kibana-plugin-public.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) |  |
-|  [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) | Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->. |
-|  [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) | Properties that can be returned by HttpInterceptor.request to override the response. |
-|  [ImageValidation](./kibana-plugin-public.imagevalidation.md) |  |
-|  [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) | Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-|  [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) | Setup interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
-|  [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) | Start interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
-|  [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) |  |
-|  [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |  |
-|  [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |  |
-|  [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |  |
-|  [OverlayRef](./kibana-plugin-public.overlayref.md) | Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay. |
-|  [OverlayStart](./kibana-plugin-public.overlaystart.md) |  |
-|  [PackageInfo](./kibana-plugin-public.packageinfo.md) |  |
-|  [Plugin](./kibana-plugin-public.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
-|  [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) | The available core services passed to a <code>PluginInitializer</code> |
-|  [SavedObject](./kibana-plugin-public.savedobject.md) |  |
-|  [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) | A reference to another saved object. |
-|  [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) |  |
-|  [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) |  |
-|  [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) |  |
-|  [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) |  |
-|  [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) |  |
-|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) |  |
-|  [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) |  |
-|  [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) |  |
-|  [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
-|  [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
-|  [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) | Represents a failure to import. |
-|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
-|  [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) | The response describing the result of an import. |
-|  [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
-|  [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
-|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
-|  [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |  |
-|  [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) |  |
-|  [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) | StringValidation with regex object |
-|  [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) | StringValidation as regex string |
-|  [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
-|  [UiSettingsState](./kibana-plugin-public.uisettingsstate.md) |  |
-|  [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) | Describes the values explicitly set by user. |
-
-## Type Aliases
-
-|  Type Alias | Description |
-|  --- | --- |
-|  [AppLeaveAction](./kibana-plugin-public.appleaveaction.md) | Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)<!-- -->See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) |
-|  [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) | A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return <code>confirm</code> to to prompt a message to the user before leaving the page, or <code>default</code> to keep the default behavior (doing nothing).<!-- -->See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples. |
-|  [AppMount](./kibana-plugin-public.appmount.md) | A mount function called when the user navigates to this app's route. |
-|  [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md) | A mount function called when the user navigates to this app's route. |
-|  [AppUnmount](./kibana-plugin-public.appunmount.md) | A function called when an application should be unmounted from the page. This function should be synchronous. |
-|  [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) | Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->. |
-|  [AppUpdater](./kibana-plugin-public.appupdater.md) | Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
-|  [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md) |  |
-|  [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md) |  |
-|  [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md) |  |
-|  [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md) |  |
-|  [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md) |  |
-|  [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md) |  |
-|  [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md) |  |
-|  [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
-|  [HandlerContextType](./kibana-plugin-public.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context. |
-|  [HandlerFunction](./kibana-plugin-public.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md) |
-|  [HandlerParameters](./kibana-plugin-public.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->. |
-|  [HttpStart](./kibana-plugin-public.httpstart.md) | See [HttpSetup](./kibana-plugin-public.httpsetup.md) |
-|  [IContextProvider](./kibana-plugin-public.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
-|  [IToasts](./kibana-plugin-public.itoasts.md) | Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->. |
-|  [MountPoint](./kibana-plugin-public.mountpoint.md) | A function that should mount DOM content inside the provided container element and return a handler to unmount it. |
-|  [PluginInitializer](./kibana-plugin-public.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>public</code> directory should conform to this interface. |
-|  [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md) |  |
-|  [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md) |  |
-|  [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
-|  [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) |
-|  [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md) | SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
-|  [StringValidation](./kibana-plugin-public.stringvalidation.md) | Allows regex objects or a regex string |
-|  [Toast](./kibana-plugin-public.toast.md) |  |
-|  [ToastInput](./kibana-plugin-public.toastinput.md) | Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
-|  [ToastInputFields](./kibana-plugin-public.toastinputfields.md) | Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->. |
-|  [ToastsSetup](./kibana-plugin-public.toastssetup.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
-|  [ToastsStart](./kibana-plugin-public.toastsstart.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
-|  [UiSettingsType](./kibana-plugin-public.uisettingstype.md) | UI element type to represent the settings. |
-|  [UnmountCallback](./kibana-plugin-public.unmountcallback.md) | A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md)
+
+## kibana-plugin-public package
+
+The Kibana Core APIs for client-side plugins.
+
+A plugin's `public/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-public.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-public.plugin.md)<!-- -->.
+
+The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-public.coresetup.md) or [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
+
+## Classes
+
+|  Class | Description |
+|  --- | --- |
+|  [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects. |
+|  [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) | This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.<!-- -->It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations. |
+|  [ToastsApi](./kibana-plugin-public.toastsapi.md) | Methods for adding and removing global toast messages. |
+
+## Enumerations
+
+|  Enumeration | Description |
+|  --- | --- |
+|  [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md) | Possible type of actions on application leave. |
+|  [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) | Status of the application's navLink. |
+|  [AppStatus](./kibana-plugin-public.appstatus.md) | Accessibility status of an application. |
+
+## Interfaces
+
+|  Interface | Description |
+|  --- | --- |
+|  [App](./kibana-plugin-public.app.md) | Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function. |
+|  [AppBase](./kibana-plugin-public.appbase.md) |  |
+|  [AppCategory](./kibana-plugin-public.appcategory.md) | A category definition for nav links to know where to sort them in the left hand nav |
+|  [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.<!-- -->See  |
+|  [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.<!-- -->See  |
+|  [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |  |
+|  [ApplicationStart](./kibana-plugin-public.applicationstart.md) |  |
+|  [AppMountContext](./kibana-plugin-public.appmountcontext.md) | The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+|  [AppMountParameters](./kibana-plugin-public.appmountparameters.md) |  |
+|  [Capabilities](./kibana-plugin-public.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
+|  [ChromeBadge](./kibana-plugin-public.chromebadge.md) |  |
+|  [ChromeBrand](./kibana-plugin-public.chromebrand.md) |  |
+|  [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) | APIs for accessing and updating the document title. |
+|  [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) |  |
+|  [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) |  |
+|  [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
+|  [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) |  |
+|  [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
+|  [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
+|  [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) |  |
+|  [ChromeStart](./kibana-plugin-public.chromestart.md) | ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser. |
+|  [ContextSetup](./kibana-plugin-public.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [CoreSetup](./kibana-plugin-public.coresetup.md) | Core services exposed to the <code>Plugin</code> setup lifecycle |
+|  [CoreStart](./kibana-plugin-public.corestart.md) | Core services exposed to the <code>Plugin</code> start lifecycle |
+|  [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |  |
+|  [EnvironmentMode](./kibana-plugin-public.environmentmode.md) |  |
+|  [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) | Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
+|  [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) | Represents the <code>message</code> and <code>stack</code> of a fatal Error |
+|  [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
+|  [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) | All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->. |
+|  [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) | Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included. |
+|  [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md) |  |
+|  [HttpHandler](./kibana-plugin-public.httphandler.md) | A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response. |
+|  [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) | Headers to append to the request. Any headers that begin with <code>kbn-</code> are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error. |
+|  [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) | An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->. |
+|  [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) |  |
+|  [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) |  |
+|  [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) | Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s. |
+|  [HttpResponse](./kibana-plugin-public.httpresponse.md) |  |
+|  [HttpSetup](./kibana-plugin-public.httpsetup.md) |  |
+|  [I18nStart](./kibana-plugin-public.i18nstart.md) | I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree. |
+|  [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) | APIs for denoting paths as not requiring authentication |
+|  [IBasePath](./kibana-plugin-public.ibasepath.md) | APIs for manipulating the basePath on URL segments. |
+|  [IContextContainer](./kibana-plugin-public.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) |  |
+|  [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) | Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->. |
+|  [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) | Properties that can be returned by HttpInterceptor.request to override the response. |
+|  [ImageValidation](./kibana-plugin-public.imagevalidation.md) |  |
+|  [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) | Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+|  [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) | Setup interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
+|  [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) | Start interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
+|  [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) |  |
+|  [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |  |
+|  [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |  |
+|  [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |  |
+|  [OverlayRef](./kibana-plugin-public.overlayref.md) | Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay. |
+|  [OverlayStart](./kibana-plugin-public.overlaystart.md) |  |
+|  [PackageInfo](./kibana-plugin-public.packageinfo.md) |  |
+|  [Plugin](./kibana-plugin-public.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
+|  [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) | The available core services passed to a <code>PluginInitializer</code> |
+|  [SavedObject](./kibana-plugin-public.savedobject.md) |  |
+|  [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) | A reference to another saved object. |
+|  [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) |  |
+|  [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) |  |
+|  [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) |  |
+|  [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) |  |
+|  [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) |  |
+|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) |  |
+|  [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) |  |
+|  [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) |  |
+|  [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
+|  [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
+|  [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) | Represents a failure to import. |
+|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
+|  [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) | The response describing the result of an import. |
+|  [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
+|  [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
+|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
+|  [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |  |
+|  [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) |  |
+|  [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) | StringValidation with regex object |
+|  [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) | StringValidation as regex string |
+|  [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
+|  [UiSettingsState](./kibana-plugin-public.uisettingsstate.md) |  |
+|  [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) | Describes the values explicitly set by user. |
+
+## Type Aliases
+
+|  Type Alias | Description |
+|  --- | --- |
+|  [AppLeaveAction](./kibana-plugin-public.appleaveaction.md) | Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)<!-- -->See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) |
+|  [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) | A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return <code>confirm</code> to to prompt a message to the user before leaving the page, or <code>default</code> to keep the default behavior (doing nothing).<!-- -->See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples. |
+|  [AppMount](./kibana-plugin-public.appmount.md) | A mount function called when the user navigates to this app's route. |
+|  [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md) | A mount function called when the user navigates to this app's route. |
+|  [AppUnmount](./kibana-plugin-public.appunmount.md) | A function called when an application should be unmounted from the page. This function should be synchronous. |
+|  [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) | Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->. |
+|  [AppUpdater](./kibana-plugin-public.appupdater.md) | Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
+|  [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md) |  |
+|  [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md) |  |
+|  [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md) |  |
+|  [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md) |  |
+|  [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md) |  |
+|  [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md) |  |
+|  [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md) |  |
+|  [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
+|  [HandlerContextType](./kibana-plugin-public.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context. |
+|  [HandlerFunction](./kibana-plugin-public.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md) |
+|  [HandlerParameters](./kibana-plugin-public.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->. |
+|  [HttpStart](./kibana-plugin-public.httpstart.md) | See [HttpSetup](./kibana-plugin-public.httpsetup.md) |
+|  [IContextProvider](./kibana-plugin-public.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
+|  [IToasts](./kibana-plugin-public.itoasts.md) | Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->. |
+|  [MountPoint](./kibana-plugin-public.mountpoint.md) | A function that should mount DOM content inside the provided container element and return a handler to unmount it. |
+|  [PluginInitializer](./kibana-plugin-public.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>public</code> directory should conform to this interface. |
+|  [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md) |  |
+|  [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md) |  |
+|  [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
+|  [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) |
+|  [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md) | SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
+|  [StringValidation](./kibana-plugin-public.stringvalidation.md) | Allows regex objects or a regex string |
+|  [Toast](./kibana-plugin-public.toast.md) |  |
+|  [ToastInput](./kibana-plugin-public.toastinput.md) | Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
+|  [ToastInputFields](./kibana-plugin-public.toastinputfields.md) | Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->. |
+|  [ToastsSetup](./kibana-plugin-public.toastssetup.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
+|  [ToastsStart](./kibana-plugin-public.toastsstart.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
+|  [UiSettingsType](./kibana-plugin-public.uisettingstype.md) | UI element type to represent the settings. |
+|  [UnmountCallback](./kibana-plugin-public.unmountcallback.md) | A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.mountpoint.md b/docs/development/core/public/kibana-plugin-public.mountpoint.md
index 928d22f00ed00..4b4d1def18acc 100644
--- a/docs/development/core/public/kibana-plugin-public.mountpoint.md
+++ b/docs/development/core/public/kibana-plugin-public.mountpoint.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [MountPoint](./kibana-plugin-public.mountpoint.md)
-
-## MountPoint type
-
-A function that should mount DOM content inside the provided container element and return a handler to unmount it.
-
-<b>Signature:</b>
-
-```typescript
-export declare type MountPoint<T extends HTMLElement = HTMLElement> = (element: T) => UnmountCallback;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [MountPoint](./kibana-plugin-public.mountpoint.md)
+
+## MountPoint type
+
+A function that should mount DOM content inside the provided container element and return a handler to unmount it.
+
+<b>Signature:</b>
+
+```typescript
+export declare type MountPoint<T extends HTMLElement = HTMLElement> = (element: T) => UnmountCallback;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.notificationssetup.md b/docs/development/core/public/kibana-plugin-public.notificationssetup.md
index c03abf9d01dca..62251067b7a3d 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationssetup.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
-
-## NotificationsSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface NotificationsSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [toasts](./kibana-plugin-public.notificationssetup.toasts.md) | <code>ToastsSetup</code> | [ToastsSetup](./kibana-plugin-public.toastssetup.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
+
+## NotificationsSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface NotificationsSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [toasts](./kibana-plugin-public.notificationssetup.toasts.md) | <code>ToastsSetup</code> | [ToastsSetup](./kibana-plugin-public.toastssetup.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md b/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
index dd613a959061e..44262cd3c559c 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) &gt; [toasts](./kibana-plugin-public.notificationssetup.toasts.md)
-
-## NotificationsSetup.toasts property
-
-[ToastsSetup](./kibana-plugin-public.toastssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-toasts: ToastsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) &gt; [toasts](./kibana-plugin-public.notificationssetup.toasts.md)
+
+## NotificationsSetup.toasts property
+
+[ToastsSetup](./kibana-plugin-public.toastssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+toasts: ToastsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.notificationsstart.md b/docs/development/core/public/kibana-plugin-public.notificationsstart.md
index 56a1ce2095742..88ebd6cf3d830 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationsstart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md)
-
-## NotificationsStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface NotificationsStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [toasts](./kibana-plugin-public.notificationsstart.toasts.md) | <code>ToastsStart</code> | [ToastsStart](./kibana-plugin-public.toastsstart.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md)
+
+## NotificationsStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface NotificationsStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [toasts](./kibana-plugin-public.notificationsstart.toasts.md) | <code>ToastsStart</code> | [ToastsStart](./kibana-plugin-public.toastsstart.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md b/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
index 9d2c685946fda..1e742495559d7 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md) &gt; [toasts](./kibana-plugin-public.notificationsstart.toasts.md)
-
-## NotificationsStart.toasts property
-
-[ToastsStart](./kibana-plugin-public.toastsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-toasts: ToastsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md) &gt; [toasts](./kibana-plugin-public.notificationsstart.toasts.md)
+
+## NotificationsStart.toasts property
+
+[ToastsStart](./kibana-plugin-public.toastsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+toasts: ToastsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
index 8ce59d5d9ca78..c0281090e20e1 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [add](./kibana-plugin-public.overlaybannersstart.add.md)
-
-## OverlayBannersStart.add() method
-
-Add a new banner
-
-<b>Signature:</b>
-
-```typescript
-add(mount: MountPoint, priority?: number): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  mount | <code>MountPoint</code> |  |
-|  priority | <code>number</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
-a unique identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [add](./kibana-plugin-public.overlaybannersstart.add.md)
+
+## OverlayBannersStart.add() method
+
+Add a new banner
+
+<b>Signature:</b>
+
+```typescript
+add(mount: MountPoint, priority?: number): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  mount | <code>MountPoint</code> |  |
+|  priority | <code>number</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
+a unique identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
index 0ecb9862dee3d..3a89c1a0171e4 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [getComponent](./kibana-plugin-public.overlaybannersstart.getcomponent.md)
-
-## OverlayBannersStart.getComponent() method
-
-<b>Signature:</b>
-
-```typescript
-getComponent(): JSX.Element;
-```
-<b>Returns:</b>
-
-`JSX.Element`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [getComponent](./kibana-plugin-public.overlaybannersstart.getcomponent.md)
+
+## OverlayBannersStart.getComponent() method
+
+<b>Signature:</b>
+
+```typescript
+getComponent(): JSX.Element;
+```
+<b>Returns:</b>
+
+`JSX.Element`
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
index 34e4ab8553792..0d5e221174a50 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
-
-## OverlayBannersStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayBannersStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [add(mount, priority)](./kibana-plugin-public.overlaybannersstart.add.md) | Add a new banner |
-|  [getComponent()](./kibana-plugin-public.overlaybannersstart.getcomponent.md) |  |
-|  [remove(id)](./kibana-plugin-public.overlaybannersstart.remove.md) | Remove a banner |
-|  [replace(id, mount, priority)](./kibana-plugin-public.overlaybannersstart.replace.md) | Replace a banner in place |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
+
+## OverlayBannersStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayBannersStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [add(mount, priority)](./kibana-plugin-public.overlaybannersstart.add.md) | Add a new banner |
+|  [getComponent()](./kibana-plugin-public.overlaybannersstart.getcomponent.md) |  |
+|  [remove(id)](./kibana-plugin-public.overlaybannersstart.remove.md) | Remove a banner |
+|  [replace(id, mount, priority)](./kibana-plugin-public.overlaybannersstart.replace.md) | Replace a banner in place |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
index 4fc5cfcd1c8d0..8406fbbc26c21 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [remove](./kibana-plugin-public.overlaybannersstart.remove.md)
-
-## OverlayBannersStart.remove() method
-
-Remove a banner
-
-<b>Signature:</b>
-
-```typescript
-remove(id: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
-if the banner was found or not
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [remove](./kibana-plugin-public.overlaybannersstart.remove.md)
+
+## OverlayBannersStart.remove() method
+
+Remove a banner
+
+<b>Signature:</b>
+
+```typescript
+remove(id: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
+if the banner was found or not
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
index a8f6915ea9bb7..5a6cd79300b74 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [replace](./kibana-plugin-public.overlaybannersstart.replace.md)
-
-## OverlayBannersStart.replace() method
-
-Replace a banner in place
-
-<b>Signature:</b>
-
-```typescript
-replace(id: string | undefined, mount: MountPoint, priority?: number): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string &#124; undefined</code> |  |
-|  mount | <code>MountPoint</code> |  |
-|  priority | <code>number</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
-a new identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [replace](./kibana-plugin-public.overlaybannersstart.replace.md)
+
+## OverlayBannersStart.replace() method
+
+Replace a banner in place
+
+<b>Signature:</b>
+
+```typescript
+replace(id: string | undefined, mount: MountPoint, priority?: number): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string &#124; undefined</code> |  |
+|  mount | <code>MountPoint</code> |  |
+|  priority | <code>number</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
+a new identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.close.md b/docs/development/core/public/kibana-plugin-public.overlayref.close.md
index 32f17882af304..4dc0e8ab9a3c4 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.close.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.close.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [close](./kibana-plugin-public.overlayref.close.md)
-
-## OverlayRef.close() method
-
-Closes the referenced overlay if it's still open which in turn will resolve the `onClose` Promise. If the overlay had already been closed this method does nothing.
-
-<b>Signature:</b>
-
-```typescript
-close(): Promise<void>;
-```
-<b>Returns:</b>
-
-`Promise<void>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [close](./kibana-plugin-public.overlayref.close.md)
+
+## OverlayRef.close() method
+
+Closes the referenced overlay if it's still open which in turn will resolve the `onClose` Promise. If the overlay had already been closed this method does nothing.
+
+<b>Signature:</b>
+
+```typescript
+close(): Promise<void>;
+```
+<b>Returns:</b>
+
+`Promise<void>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.md b/docs/development/core/public/kibana-plugin-public.overlayref.md
index e71415280e4d2..a5ba8e61d3f9b 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md)
-
-## OverlayRef interface
-
-Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay.
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayRef 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [onClose](./kibana-plugin-public.overlayref.onclose.md) | <code>Promise&lt;void&gt;</code> | A Promise that will resolve once this overlay is closed.<!-- -->Overlays can close from user interaction, calling <code>close()</code> on the overlay reference or another overlay replacing yours via <code>openModal</code> or <code>openFlyout</code>. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [close()](./kibana-plugin-public.overlayref.close.md) | Closes the referenced overlay if it's still open which in turn will resolve the <code>onClose</code> Promise. If the overlay had already been closed this method does nothing. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md)
+
+## OverlayRef interface
+
+Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay.
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayRef 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [onClose](./kibana-plugin-public.overlayref.onclose.md) | <code>Promise&lt;void&gt;</code> | A Promise that will resolve once this overlay is closed.<!-- -->Overlays can close from user interaction, calling <code>close()</code> on the overlay reference or another overlay replacing yours via <code>openModal</code> or <code>openFlyout</code>. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [close()](./kibana-plugin-public.overlayref.close.md) | Closes the referenced overlay if it's still open which in turn will resolve the <code>onClose</code> Promise. If the overlay had already been closed this method does nothing. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md b/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
index 641b48b2b1ca1..64b4526b5c3ce 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [onClose](./kibana-plugin-public.overlayref.onclose.md)
-
-## OverlayRef.onClose property
-
-A Promise that will resolve once this overlay is closed.
-
-Overlays can close from user interaction, calling `close()` on the overlay reference or another overlay replacing yours via `openModal` or `openFlyout`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-onClose: Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [onClose](./kibana-plugin-public.overlayref.onclose.md)
+
+## OverlayRef.onClose property
+
+A Promise that will resolve once this overlay is closed.
+
+Overlays can close from user interaction, calling `close()` on the overlay reference or another overlay replacing yours via `openModal` or `openFlyout`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+onClose: Promise<void>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md b/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
index 60ecc4b873f0d..a9dc10dfcbc80 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [banners](./kibana-plugin-public.overlaystart.banners.md)
-
-## OverlayStart.banners property
-
-[OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
-
-<b>Signature:</b>
-
-```typescript
-banners: OverlayBannersStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [banners](./kibana-plugin-public.overlaystart.banners.md)
+
+## OverlayStart.banners property
+
+[OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
+
+<b>Signature:</b>
+
+```typescript
+banners: OverlayBannersStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.md b/docs/development/core/public/kibana-plugin-public.overlaystart.md
index a83044763344b..1f9d9d020ecf0 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md)
-
-## OverlayStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [banners](./kibana-plugin-public.overlaystart.banners.md) | <code>OverlayBannersStart</code> | [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |
-|  [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md) | <code>OverlayModalStart['openConfirm']</code> |  |
-|  [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md) | <code>OverlayFlyoutStart['open']</code> |  |
-|  [openModal](./kibana-plugin-public.overlaystart.openmodal.md) | <code>OverlayModalStart['open']</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md)
+
+## OverlayStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [banners](./kibana-plugin-public.overlaystart.banners.md) | <code>OverlayBannersStart</code> | [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |
+|  [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md) | <code>OverlayModalStart['openConfirm']</code> |  |
+|  [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md) | <code>OverlayFlyoutStart['open']</code> |  |
+|  [openModal](./kibana-plugin-public.overlaystart.openmodal.md) | <code>OverlayModalStart['open']</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
index 543a69e0b3318..8c53cb39b60ef 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md)
-
-## OverlayStart.openConfirm property
-
-
-<b>Signature:</b>
-
-```typescript
-openConfirm: OverlayModalStart['openConfirm'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md)
+
+## OverlayStart.openConfirm property
+
+
+<b>Signature:</b>
+
+```typescript
+openConfirm: OverlayModalStart['openConfirm'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
index ad3351fb4d098..1717d881a8806 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md)
-
-## OverlayStart.openFlyout property
-
-
-<b>Signature:</b>
-
-```typescript
-openFlyout: OverlayFlyoutStart['open'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md)
+
+## OverlayStart.openFlyout property
+
+
+<b>Signature:</b>
+
+```typescript
+openFlyout: OverlayFlyoutStart['open'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
index 2c983d6151f4c..2c5a30be5138e 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openModal](./kibana-plugin-public.overlaystart.openmodal.md)
-
-## OverlayStart.openModal property
-
-
-<b>Signature:</b>
-
-```typescript
-openModal: OverlayModalStart['open'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openModal](./kibana-plugin-public.overlaystart.openmodal.md)
+
+## OverlayStart.openModal property
+
+
+<b>Signature:</b>
+
+```typescript
+openModal: OverlayModalStart['open'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md b/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
index 774a290969938..008edb80af86e 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [branch](./kibana-plugin-public.packageinfo.branch.md)
-
-## PackageInfo.branch property
-
-<b>Signature:</b>
-
-```typescript
-branch: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [branch](./kibana-plugin-public.packageinfo.branch.md)
+
+## PackageInfo.branch property
+
+<b>Signature:</b>
+
+```typescript
+branch: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md b/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
index 0c1003f8d8aff..8895955e4dee1 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildNum](./kibana-plugin-public.packageinfo.buildnum.md)
-
-## PackageInfo.buildNum property
-
-<b>Signature:</b>
-
-```typescript
-buildNum: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildNum](./kibana-plugin-public.packageinfo.buildnum.md)
+
+## PackageInfo.buildNum property
+
+<b>Signature:</b>
+
+```typescript
+buildNum: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md b/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
index 98a7916c142e9..f12471f5ea7f5 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildSha](./kibana-plugin-public.packageinfo.buildsha.md)
-
-## PackageInfo.buildSha property
-
-<b>Signature:</b>
-
-```typescript
-buildSha: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildSha](./kibana-plugin-public.packageinfo.buildsha.md)
+
+## PackageInfo.buildSha property
+
+<b>Signature:</b>
+
+```typescript
+buildSha: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md b/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
index c70299bbe6fcc..f13f2ac4c679e 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [dist](./kibana-plugin-public.packageinfo.dist.md)
-
-## PackageInfo.dist property
-
-<b>Signature:</b>
-
-```typescript
-dist: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [dist](./kibana-plugin-public.packageinfo.dist.md)
+
+## PackageInfo.dist property
+
+<b>Signature:</b>
+
+```typescript
+dist: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.md b/docs/development/core/public/kibana-plugin-public.packageinfo.md
index 1dbd8cb85c56b..bd38e5e2c06e1 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md)
-
-## PackageInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PackageInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [branch](./kibana-plugin-public.packageinfo.branch.md) | <code>string</code> |  |
-|  [buildNum](./kibana-plugin-public.packageinfo.buildnum.md) | <code>number</code> |  |
-|  [buildSha](./kibana-plugin-public.packageinfo.buildsha.md) | <code>string</code> |  |
-|  [dist](./kibana-plugin-public.packageinfo.dist.md) | <code>boolean</code> |  |
-|  [version](./kibana-plugin-public.packageinfo.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md)
+
+## PackageInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PackageInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [branch](./kibana-plugin-public.packageinfo.branch.md) | <code>string</code> |  |
+|  [buildNum](./kibana-plugin-public.packageinfo.buildnum.md) | <code>number</code> |  |
+|  [buildSha](./kibana-plugin-public.packageinfo.buildsha.md) | <code>string</code> |  |
+|  [dist](./kibana-plugin-public.packageinfo.dist.md) | <code>boolean</code> |  |
+|  [version](./kibana-plugin-public.packageinfo.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.version.md b/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
index 26def753e424a..6b8267c79b6d6 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [version](./kibana-plugin-public.packageinfo.version.md)
-
-## PackageInfo.version property
-
-<b>Signature:</b>
-
-```typescript
-version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [version](./kibana-plugin-public.packageinfo.version.md)
+
+## PackageInfo.version property
+
+<b>Signature:</b>
+
+```typescript
+version: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.md b/docs/development/core/public/kibana-plugin-public.plugin.md
index 979436e6dab37..a81f9cd60fbbe 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md)
-
-## Plugin interface
-
-The interface that should be returned by a `PluginInitializer`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [setup(core, plugins)](./kibana-plugin-public.plugin.setup.md) |  |
-|  [start(core, plugins)](./kibana-plugin-public.plugin.start.md) |  |
-|  [stop()](./kibana-plugin-public.plugin.stop.md) |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md)
+
+## Plugin interface
+
+The interface that should be returned by a `PluginInitializer`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [setup(core, plugins)](./kibana-plugin-public.plugin.setup.md) |  |
+|  [start(core, plugins)](./kibana-plugin-public.plugin.start.md) |  |
+|  [stop()](./kibana-plugin-public.plugin.stop.md) |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.setup.md b/docs/development/core/public/kibana-plugin-public.plugin.setup.md
index f058bc8d86fbc..98d7db19cc353 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.setup.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.setup.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [setup](./kibana-plugin-public.plugin.setup.md)
-
-## Plugin.setup() method
-
-<b>Signature:</b>
-
-```typescript
-setup(core: CoreSetup<TPluginsStart>, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreSetup&lt;TPluginsStart&gt;</code> |  |
-|  plugins | <code>TPluginsSetup</code> |  |
-
-<b>Returns:</b>
-
-`TSetup | Promise<TSetup>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [setup](./kibana-plugin-public.plugin.setup.md)
+
+## Plugin.setup() method
+
+<b>Signature:</b>
+
+```typescript
+setup(core: CoreSetup<TPluginsStart>, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreSetup&lt;TPluginsStart&gt;</code> |  |
+|  plugins | <code>TPluginsSetup</code> |  |
+
+<b>Returns:</b>
+
+`TSetup | Promise<TSetup>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.start.md b/docs/development/core/public/kibana-plugin-public.plugin.start.md
index b132706f4b7c0..149d925f670ef 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.start.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.start.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [start](./kibana-plugin-public.plugin.start.md)
-
-## Plugin.start() method
-
-<b>Signature:</b>
-
-```typescript
-start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreStart</code> |  |
-|  plugins | <code>TPluginsStart</code> |  |
-
-<b>Returns:</b>
-
-`TStart | Promise<TStart>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [start](./kibana-plugin-public.plugin.start.md)
+
+## Plugin.start() method
+
+<b>Signature:</b>
+
+```typescript
+start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreStart</code> |  |
+|  plugins | <code>TPluginsStart</code> |  |
+
+<b>Returns:</b>
+
+`TStart | Promise<TStart>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.stop.md b/docs/development/core/public/kibana-plugin-public.plugin.stop.md
index 2ccb9f5f3655b..e30bc4b5d8933 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.stop.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.stop.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [stop](./kibana-plugin-public.plugin.stop.md)
-
-## Plugin.stop() method
-
-<b>Signature:</b>
-
-```typescript
-stop?(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [stop](./kibana-plugin-public.plugin.stop.md)
+
+## Plugin.stop() method
+
+<b>Signature:</b>
+
+```typescript
+stop?(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializer.md b/docs/development/core/public/kibana-plugin-public.plugininitializer.md
index 0e1124afff369..ec2b145c09e5a 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializer.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializer](./kibana-plugin-public.plugininitializer.md)
-
-## PluginInitializer type
-
-The `plugin` export at the root of a plugin's `public` directory should conform to this interface.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializer](./kibana-plugin-public.plugininitializer.md)
+
+## PluginInitializer type
+
+The `plugin` export at the root of a plugin's `public` directory should conform to this interface.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
index 28141c9e13749..a628a2b43c407 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [config](./kibana-plugin-public.plugininitializercontext.config.md)
-
-## PluginInitializerContext.config property
-
-<b>Signature:</b>
-
-```typescript
-readonly config: {
-        get: <T extends object = ConfigSchema>() => T;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [config](./kibana-plugin-public.plugininitializercontext.config.md)
+
+## PluginInitializerContext.config property
+
+<b>Signature:</b>
+
+```typescript
+readonly config: {
+        get: <T extends object = ConfigSchema>() => T;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
index 92f36ab64a1d6..eff61de2dadb1 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [env](./kibana-plugin-public.plugininitializercontext.env.md)
-
-## PluginInitializerContext.env property
-
-<b>Signature:</b>
-
-```typescript
-readonly env: {
-        mode: Readonly<EnvironmentMode>;
-        packageInfo: Readonly<PackageInfo>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [env](./kibana-plugin-public.plugininitializercontext.env.md)
+
+## PluginInitializerContext.env property
+
+<b>Signature:</b>
+
+```typescript
+readonly env: {
+        mode: Readonly<EnvironmentMode>;
+        packageInfo: Readonly<PackageInfo>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
index 64eaabb28646d..78c5a88f89c8e 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md)
-
-## PluginInitializerContext interface
-
-The available core services passed to a `PluginInitializer`
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginInitializerContext<ConfigSchema extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [config](./kibana-plugin-public.plugininitializercontext.config.md) | <code>{</code><br/><code>        get: &lt;T extends object = ConfigSchema&gt;() =&gt; T;</code><br/><code>    }</code> |  |
-|  [env](./kibana-plugin-public.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: Readonly&lt;EnvironmentMode&gt;;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
-|  [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> | A symbol used to identify this plugin in the system. Needed when registering handlers or context providers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md)
+
+## PluginInitializerContext interface
+
+The available core services passed to a `PluginInitializer`
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginInitializerContext<ConfigSchema extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [config](./kibana-plugin-public.plugininitializercontext.config.md) | <code>{</code><br/><code>        get: &lt;T extends object = ConfigSchema&gt;() =&gt; T;</code><br/><code>    }</code> |  |
+|  [env](./kibana-plugin-public.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: Readonly&lt;EnvironmentMode&gt;;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
+|  [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> | A symbol used to identify this plugin in the system. Needed when registering handlers or context providers. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
index 10e6b79be4959..5a77dc154f1cc 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md)
-
-## PluginInitializerContext.opaqueId property
-
-A symbol used to identify this plugin in the system. Needed when registering handlers or context providers.
-
-<b>Signature:</b>
-
-```typescript
-readonly opaqueId: PluginOpaqueId;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md)
+
+## PluginInitializerContext.opaqueId property
+
+A symbol used to identify this plugin in the system. Needed when registering handlers or context providers.
+
+<b>Signature:</b>
+
+```typescript
+readonly opaqueId: PluginOpaqueId;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md b/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
index 8a8202ae1334e..54aa8c60f9f6f 100644
--- a/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
+++ b/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md)
-
-## PluginOpaqueId type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginOpaqueId = symbol;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md)
+
+## PluginOpaqueId type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginOpaqueId = symbol;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.recursivereadonly.md b/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
index fe048494063a0..8fe63c4ed838e 100644
--- a/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
+++ b/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md)
-
-## RecursiveReadonly type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
-    [K in keyof T]: RecursiveReadonly<T[K]>;
-}> : T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md)
+
+## RecursiveReadonly type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
+    [K in keyof T]: RecursiveReadonly<T[K]>;
+}> : T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
index 0ec57d679920c..b619418da8432 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [attributes](./kibana-plugin-public.savedobject.attributes.md)
-
-## SavedObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [attributes](./kibana-plugin-public.savedobject.attributes.md)
+
+## SavedObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.error.md b/docs/development/core/public/kibana-plugin-public.savedobject.error.md
index 1d00863ef6ecf..a085da04d0c71 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.error.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.error.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [error](./kibana-plugin-public.savedobject.error.md)
-
-## SavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error?: {
-        message: string;
-        statusCode: number;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [error](./kibana-plugin-public.savedobject.error.md)
+
+## SavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error?: {
+        message: string;
+        statusCode: number;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.id.md b/docs/development/core/public/kibana-plugin-public.savedobject.id.md
index 7b54e0a7c2a74..1e2fc6e8fbc64 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [id](./kibana-plugin-public.savedobject.id.md)
-
-## SavedObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [id](./kibana-plugin-public.savedobject.id.md)
+
+## SavedObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.md b/docs/development/core/public/kibana-plugin-public.savedobject.md
index 00260c62dd934..b1bb3e267bf0e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md)
-
-## SavedObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [error](./kibana-plugin-public.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
-|  [id](./kibana-plugin-public.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-public.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [type](./kibana-plugin-public.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
-|  [updated\_at](./kibana-plugin-public.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
-|  [version](./kibana-plugin-public.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md)
+
+## SavedObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [error](./kibana-plugin-public.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
+|  [id](./kibana-plugin-public.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-public.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [type](./kibana-plugin-public.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
+|  [updated\_at](./kibana-plugin-public.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
+|  [version](./kibana-plugin-public.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
index d07b664f11ff2..98c274df3473c 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md)
-
-## SavedObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md)
+
+## SavedObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.references.md b/docs/development/core/public/kibana-plugin-public.savedobject.references.md
index 3c3ecdd283b5f..055275fcb48a7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [references](./kibana-plugin-public.savedobject.references.md)
-
-## SavedObject.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [references](./kibana-plugin-public.savedobject.references.md)
+
+## SavedObject.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobject.type.md
index 2bce5b8a15634..0f7096ec143f7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [type](./kibana-plugin-public.savedobject.type.md)
-
-## SavedObject.type property
-
-The type of Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [type](./kibana-plugin-public.savedobject.type.md)
+
+## SavedObject.type property
+
+The type of Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md b/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
index 861128c69ae2a..0bea6d602a9a0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [updated\_at](./kibana-plugin-public.savedobject.updated_at.md)
-
-## SavedObject.updated\_at property
-
-Timestamp of the last time this document had been updated.
-
-<b>Signature:</b>
-
-```typescript
-updated_at?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [updated\_at](./kibana-plugin-public.savedobject.updated_at.md)
+
+## SavedObject.updated\_at property
+
+Timestamp of the last time this document had been updated.
+
+<b>Signature:</b>
+
+```typescript
+updated_at?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.version.md b/docs/development/core/public/kibana-plugin-public.savedobject.version.md
index 26356f444f2ca..572d7f7305756 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [version](./kibana-plugin-public.savedobject.version.md)
-
-## SavedObject.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [version](./kibana-plugin-public.savedobject.version.md)
+
+## SavedObject.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md b/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
index 5ce6a60f76c79..00f8e7216d445 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
-
-## SavedObjectAttribute type
-
-Type definition for a Saved Object attribute value
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
+
+## SavedObjectAttribute type
+
+Type definition for a Saved Object attribute value
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
index 39c02216f4827..54cc3edeb5224 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md)
-
-## SavedObjectAttributes interface
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectAttributes 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md)
+
+## SavedObjectAttributes interface
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectAttributes 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md b/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
index 3f2d70baa64e6..a72538a5ee4a9 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md)
-
-## SavedObjectAttributeSingle type
-
-Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md)
+
+## SavedObjectAttributeSingle type
+
+Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
index 27b820607f860..1bc1f35641df0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [id](./kibana-plugin-public.savedobjectreference.id.md)
-
-## SavedObjectReference.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [id](./kibana-plugin-public.savedobjectreference.id.md)
+
+## SavedObjectReference.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
index 7ae05e24a5d89..f6c0d3676f64f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md)
-
-## SavedObjectReference interface
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectReference 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectreference.id.md) | <code>string</code> |  |
-|  [name](./kibana-plugin-public.savedobjectreference.name.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectreference.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md)
+
+## SavedObjectReference interface
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectReference 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectreference.id.md) | <code>string</code> |  |
+|  [name](./kibana-plugin-public.savedobjectreference.name.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectreference.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
index 104a8c313b528..cd39686b09ad7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [name](./kibana-plugin-public.savedobjectreference.name.md)
-
-## SavedObjectReference.name property
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [name](./kibana-plugin-public.savedobjectreference.name.md)
+
+## SavedObjectReference.name property
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
index 5b55a18becab7..deba8fe324843 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [type](./kibana-plugin-public.savedobjectreference.type.md)
-
-## SavedObjectReference.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [type](./kibana-plugin-public.savedobjectreference.type.md)
+
+## SavedObjectReference.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
index 00ea2fd158291..1fc64405d7702 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md)
-
-## SavedObjectsBaseOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md)
+
+## SavedObjectsBaseOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
index fb8d0d957a275..a30b6e9963a74 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md)
-
-## SavedObjectsBaseOptions.namespace property
-
-Specify the namespace for this operation
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md)
+
+## SavedObjectsBaseOptions.namespace property
+
+Specify the namespace for this operation
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
index 2ccddb8f71bd6..5a08b3f97f429 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md)
-
-## SavedObjectsBatchResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBatchResponse<T extends SavedObjectAttributes = SavedObjectAttributes> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md) | <code>Array&lt;SimpleSavedObject&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md)
+
+## SavedObjectsBatchResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBatchResponse<T extends SavedObjectAttributes = SavedObjectAttributes> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md) | <code>Array&lt;SimpleSavedObject&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
index f83b6268431c7..7b8e1acb0d9de 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) &gt; [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md)
-
-## SavedObjectsBatchResponse.savedObjects property
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: Array<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) &gt; [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md)
+
+## SavedObjectsBatchResponse.savedObjects property
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: Array<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
index e3f7e0d676087..f078ec35aa816 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md)
-
-## SavedObjectsBulkCreateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md)
+
+## SavedObjectsBulkCreateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
index 8f95c0533dded..c479e9f9f3e3f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md)
-
-## SavedObjectsBulkCreateObject interface
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md)
+
+## SavedObjectsBulkCreateObject interface
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
index 37497b9178782..3c29e99fa30c3 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md)
-
-## SavedObjectsBulkCreateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md)
+
+## SavedObjectsBulkCreateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
index 697084d8eee38..198968f93f7e4 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md)
-
-## SavedObjectsBulkCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md)
+
+## SavedObjectsBulkCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
index e3b425da892b2..0acc51bfdb76b 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md)
-
-## SavedObjectsBulkCreateOptions.overwrite property
-
-If a document with the given `id` already exists, overwrite it's contents (default=false).
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md)
+
+## SavedObjectsBulkCreateOptions.overwrite property
+
+If a document with the given `id` already exists, overwrite it's contents (default=false).
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
index 235c896532beb..9dc333d005e8e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md)
-
-## SavedObjectsBulkUpdateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md)
+
+## SavedObjectsBulkUpdateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
index 8fbece1de7aa1..4f253769fc912 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md)
-
-## SavedObjectsBulkUpdateObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md)
+
+## SavedObjectsBulkUpdateObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
index 91688c01df34c..ca0eabb265901 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md)
-
-## SavedObjectsBulkUpdateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = SavedObjectAttributes> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md) | <code>T</code> |  |
-|  [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md) | <code>string</code> |  |
-|  [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md) | <code>string</code> |  |
-|  [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md)
+
+## SavedObjectsBulkUpdateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = SavedObjectAttributes> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md) | <code>T</code> |  |
+|  [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md) | <code>string</code> |  |
+|  [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md) | <code>string</code> |  |
+|  [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
index 3949eb809c3a0..fd24cfa13c688 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md)
-
-## SavedObjectsBulkUpdateObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md)
+
+## SavedObjectsBulkUpdateObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
index b3bd0f7eb2580..d0c9b11316b46 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md)
-
-## SavedObjectsBulkUpdateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md)
+
+## SavedObjectsBulkUpdateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
index 7608bc7aff909..ab1844430784b 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md)
-
-## SavedObjectsBulkUpdateObject.version property
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md)
+
+## SavedObjectsBulkUpdateObject.version property
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
index 8a2ecefb73283..d3c29fa40dd30 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md)
-
-## SavedObjectsBulkUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md)
+
+## SavedObjectsBulkUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
index 0079e56684b75..2ea3feead9792 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md)
-
-## SavedObjectsBulkUpdateOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md)
+
+## SavedObjectsBulkUpdateOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
index 426096d96c9ba..391b2f57205d5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md)
-
-## SavedObjectsClient.bulkCreate property
-
-Creates multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate: (objects?: SavedObjectsBulkCreateObject<SavedObjectAttributes>[], options?: SavedObjectsBulkCreateOptions) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md)
+
+## SavedObjectsClient.bulkCreate property
+
+Creates multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate: (objects?: SavedObjectsBulkCreateObject<SavedObjectAttributes>[], options?: SavedObjectsBulkCreateOptions) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
index fc8b3c8258f9c..a54dfe72167a7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md)
-
-## SavedObjectsClient.bulkGet property
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet: (objects?: {
-        id: string;
-        type: string;
-    }[]) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md)
+
+## SavedObjectsClient.bulkGet property
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet: (objects?: {
+        id: string;
+        type: string;
+    }[]) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
index f39638575beb1..94ae9bb70ccda 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-public.savedobjectsclient.bulkupdate.md)
-
-## SavedObjectsClient.bulkUpdate() method
-
-Update multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes>(objects?: SavedObjectsBulkUpdateObject[]): Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkUpdateObject[]</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>`
-
-The result of the update operation containing both failed and updated saved objects.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-public.savedobjectsclient.bulkupdate.md)
+
+## SavedObjectsClient.bulkUpdate() method
+
+Update multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes>(objects?: SavedObjectsBulkUpdateObject[]): Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkUpdateObject[]</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>`
+
+The result of the update operation containing both failed and updated saved objects.
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
index d6366494f0037..5a7666084ea0f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [create](./kibana-plugin-public.savedobjectsclient.create.md)
-
-## SavedObjectsClient.create property
-
-Persists an object
-
-<b>Signature:</b>
-
-```typescript
-create: <T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions) => Promise<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [create](./kibana-plugin-public.savedobjectsclient.create.md)
+
+## SavedObjectsClient.create property
+
+Persists an object
+
+<b>Signature:</b>
+
+```typescript
+create: <T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions) => Promise<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
index 03658cbd9fcfd..892fd474a1c9f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [delete](./kibana-plugin-public.savedobjectsclient.delete.md)
-
-## SavedObjectsClient.delete property
-
-Deletes an object
-
-<b>Signature:</b>
-
-```typescript
-delete: (type: string, id: string) => Promise<{}>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [delete](./kibana-plugin-public.savedobjectsclient.delete.md)
+
+## SavedObjectsClient.delete property
+
+Deletes an object
+
+<b>Signature:</b>
+
+```typescript
+delete: (type: string, id: string) => Promise<{}>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
index a4fa3f17d0d94..d3494045952ad 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [find](./kibana-plugin-public.savedobjectsclient.find.md)
-
-## SavedObjectsClient.find property
-
-Search for objects
-
-<b>Signature:</b>
-
-```typescript
-find: <T extends SavedObjectAttributes>(options: Pick<SavedObjectFindOptionsServer, "search" | "filter" | "type" | "page" | "perPage" | "sortField" | "fields" | "searchFields" | "hasReference" | "defaultSearchOperator">) => Promise<SavedObjectsFindResponsePublic<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [find](./kibana-plugin-public.savedobjectsclient.find.md)
+
+## SavedObjectsClient.find property
+
+Search for objects
+
+<b>Signature:</b>
+
+```typescript
+find: <T extends SavedObjectAttributes>(options: Pick<SavedObjectFindOptionsServer, "search" | "filter" | "type" | "page" | "perPage" | "sortField" | "fields" | "searchFields" | "hasReference" | "defaultSearchOperator">) => Promise<SavedObjectsFindResponsePublic<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
index 88500f4e3a269..bddbadd3e1361 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [get](./kibana-plugin-public.savedobjectsclient.get.md)
-
-## SavedObjectsClient.get property
-
-Fetches a single object
-
-<b>Signature:</b>
-
-```typescript
-get: <T extends SavedObjectAttributes>(type: string, id: string) => Promise<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [get](./kibana-plugin-public.savedobjectsclient.get.md)
+
+## SavedObjectsClient.get property
+
+Fetches a single object
+
+<b>Signature:</b>
+
+```typescript
+get: <T extends SavedObjectAttributes>(type: string, id: string) => Promise<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
index 88485aa71f7c5..7aa17eae2da87 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-## SavedObjectsClient class
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects.
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsClient 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md) |  | <code>(objects?: SavedObjectsBulkCreateObject&lt;SavedObjectAttributes&gt;[], options?: SavedObjectsBulkCreateOptions) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Creates multiple documents at once |
-|  [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md) |  | <code>(objects?: {</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }[]) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Returns an array of objects by id |
-|  [create](./kibana-plugin-public.savedobjectsclient.create.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, attributes: T, options?: SavedObjectsCreateOptions) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Persists an object |
-|  [delete](./kibana-plugin-public.savedobjectsclient.delete.md) |  | <code>(type: string, id: string) =&gt; Promise&lt;{}&gt;</code> | Deletes an object |
-|  [find](./kibana-plugin-public.savedobjectsclient.find.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(options: Pick&lt;SavedObjectFindOptionsServer, &quot;search&quot; &#124; &quot;filter&quot; &#124; &quot;type&quot; &#124; &quot;page&quot; &#124; &quot;perPage&quot; &#124; &quot;sortField&quot; &#124; &quot;fields&quot; &#124; &quot;searchFields&quot; &#124; &quot;hasReference&quot; &#124; &quot;defaultSearchOperator&quot;&gt;) =&gt; Promise&lt;SavedObjectsFindResponsePublic&lt;T&gt;&gt;</code> | Search for objects |
-|  [get](./kibana-plugin-public.savedobjectsclient.get.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, id: string) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Fetches a single object |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkUpdate(objects)](./kibana-plugin-public.savedobjectsclient.bulkupdate.md) |  | Update multiple documents at once |
-|  [update(type, id, attributes, { version, migrationVersion, references })](./kibana-plugin-public.savedobjectsclient.update.md) |  | Updates an object |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+## SavedObjectsClient class
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects.
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsClient 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md) |  | <code>(objects?: SavedObjectsBulkCreateObject&lt;SavedObjectAttributes&gt;[], options?: SavedObjectsBulkCreateOptions) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Creates multiple documents at once |
+|  [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md) |  | <code>(objects?: {</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }[]) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Returns an array of objects by id |
+|  [create](./kibana-plugin-public.savedobjectsclient.create.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, attributes: T, options?: SavedObjectsCreateOptions) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Persists an object |
+|  [delete](./kibana-plugin-public.savedobjectsclient.delete.md) |  | <code>(type: string, id: string) =&gt; Promise&lt;{}&gt;</code> | Deletes an object |
+|  [find](./kibana-plugin-public.savedobjectsclient.find.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(options: Pick&lt;SavedObjectFindOptionsServer, &quot;search&quot; &#124; &quot;filter&quot; &#124; &quot;type&quot; &#124; &quot;page&quot; &#124; &quot;perPage&quot; &#124; &quot;sortField&quot; &#124; &quot;fields&quot; &#124; &quot;searchFields&quot; &#124; &quot;hasReference&quot; &#124; &quot;defaultSearchOperator&quot;&gt;) =&gt; Promise&lt;SavedObjectsFindResponsePublic&lt;T&gt;&gt;</code> | Search for objects |
+|  [get](./kibana-plugin-public.savedobjectsclient.get.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, id: string) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Fetches a single object |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkUpdate(objects)](./kibana-plugin-public.savedobjectsclient.bulkupdate.md) |  | Update multiple documents at once |
+|  [update(type, id, attributes, { version, migrationVersion, references })](./kibana-plugin-public.savedobjectsclient.update.md) |  | Updates an object |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
index 5f87f46d6206f..9f7e46943bbd5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [update](./kibana-plugin-public.savedobjectsclient.update.md)
-
-## SavedObjectsClient.update() method
-
-Updates an object
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes>(type: string, id: string, attributes: T, { version, migrationVersion, references }?: SavedObjectsUpdateOptions): Promise<SimpleSavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  { version, migrationVersion, references } | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SimpleSavedObject<T>>`
-
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [update](./kibana-plugin-public.savedobjectsclient.update.md)
+
+## SavedObjectsClient.update() method
+
+Updates an object
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes>(type: string, id: string, attributes: T, { version, migrationVersion, references }?: SavedObjectsUpdateOptions): Promise<SimpleSavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  { version, migrationVersion, references } | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SimpleSavedObject<T>>`
+
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
index 876f3164feec2..fd6dc0745a119 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md)
-
-## SavedObjectsClientContract type
-
-SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientContract = PublicMethodsOf<SavedObjectsClient>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md)
+
+## SavedObjectsClientContract type
+
+SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientContract = PublicMethodsOf<SavedObjectsClient>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
index fc0532a10d639..7d953afda7280 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-public.savedobjectscreateoptions.id.md)
-
-## SavedObjectsCreateOptions.id property
-
-(Not recommended) Specify an id instead of having the saved objects service generate one for you.
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-public.savedobjectscreateoptions.id.md)
+
+## SavedObjectsCreateOptions.id property
+
+(Not recommended) Specify an id instead of having the saved objects service generate one for you.
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
index 08090c0f8d8c3..0e6f17739d42e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md)
-
-## SavedObjectsCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectscreateoptions.id.md) | <code>string</code> | (Not recommended) Specify an id instead of having the saved objects service generate one for you. |
-|  [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
-|  [references](./kibana-plugin-public.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md)
+
+## SavedObjectsCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectscreateoptions.id.md) | <code>string</code> | (Not recommended) Specify an id instead of having the saved objects service generate one for you. |
+|  [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
+|  [references](./kibana-plugin-public.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
index 5bc6b62f6680e..6a32b56d644f2 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md)
-
-## SavedObjectsCreateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md)
+
+## SavedObjectsCreateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
index d83541fc9e874..7fcac94b45a63 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md)
-
-## SavedObjectsCreateOptions.overwrite property
-
-If a document with the given `id` already exists, overwrite it's contents (default=false).
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md)
+
+## SavedObjectsCreateOptions.overwrite property
+
+If a document with the given `id` already exists, overwrite it's contents (default=false).
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
index f6bcd47a3e8d5..d828089e198e4 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectscreateoptions.references.md)
-
-## SavedObjectsCreateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectscreateoptions.references.md)
+
+## SavedObjectsCreateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
index 181e2bb237c53..9f83f4226ede0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md)
-
-## SavedObjectsFindOptions.defaultSearchOperator property
-
-<b>Signature:</b>
-
-```typescript
-defaultSearchOperator?: 'AND' | 'OR';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md)
+
+## SavedObjectsFindOptions.defaultSearchOperator property
+
+<b>Signature:</b>
+
+```typescript
+defaultSearchOperator?: 'AND' | 'OR';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
index 20cbf04418222..4c56f06c53dde 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md)
-
-## SavedObjectsFindOptions.fields property
-
-An array of fields to include in the results
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
-
-## Example
-
-SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md)
+
+## SavedObjectsFindOptions.fields property
+
+An array of fields to include in the results
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
+
+## Example
+
+SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
index 82237134e0b22..e9b9a472171f1 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md)
-
-## SavedObjectsFindOptions.filter property
-
-<b>Signature:</b>
-
-```typescript
-filter?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md)
+
+## SavedObjectsFindOptions.filter property
+
+<b>Signature:</b>
+
+```typescript
+filter?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
index 63f65d22cc33b..22548f2ec4288 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md)
-
-## SavedObjectsFindOptions.hasReference property
-
-<b>Signature:</b>
-
-```typescript
-hasReference?: {
-        type: string;
-        id: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md)
+
+## SavedObjectsFindOptions.hasReference property
+
+<b>Signature:</b>
+
+```typescript
+hasReference?: {
+        type: string;
+        id: string;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
index 4c916431d4333..ad093cf5a38eb 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md)
-
-## SavedObjectsFindOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
-|  [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
-|  [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
-|  [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
-|  [page](./kibana-plugin-public.savedobjectsfindoptions.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
-|  [search](./kibana-plugin-public.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
-|  [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
-|  [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
-|  [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md)
+
+## SavedObjectsFindOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
+|  [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
+|  [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
+|  [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
+|  [page](./kibana-plugin-public.savedobjectsfindoptions.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
+|  [search](./kibana-plugin-public.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
+|  [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
+|  [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
+|  [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
index 982005adb2454..a7d057be73247 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-public.savedobjectsfindoptions.page.md)
-
-## SavedObjectsFindOptions.page property
-
-<b>Signature:</b>
-
-```typescript
-page?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-public.savedobjectsfindoptions.page.md)
+
+## SavedObjectsFindOptions.page property
+
+<b>Signature:</b>
+
+```typescript
+page?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
index 3c61f690d82c0..bdb0d4a6129a5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md)
-
-## SavedObjectsFindOptions.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md)
+
+## SavedObjectsFindOptions.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
index f8f95e5329826..1a343e8902ad6 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-public.savedobjectsfindoptions.search.md)
-
-## SavedObjectsFindOptions.search property
-
-Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-public.savedobjectsfindoptions.search.md)
+
+## SavedObjectsFindOptions.search property
+
+Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
index 5e97ef00b4417..c86b69f28758c 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md)
-
-## SavedObjectsFindOptions.searchFields property
-
-The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-searchFields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md)
+
+## SavedObjectsFindOptions.searchFields property
+
+The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+searchFields?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
index 14ab40894cecd..37585b2eab803 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md)
-
-## SavedObjectsFindOptions.sortField property
-
-<b>Signature:</b>
-
-```typescript
-sortField?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md)
+
+## SavedObjectsFindOptions.sortField property
+
+<b>Signature:</b>
+
+```typescript
+sortField?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
index b1e58658c0083..78585a6e5aae3 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md)
-
-## SavedObjectsFindOptions.sortOrder property
-
-<b>Signature:</b>
-
-```typescript
-sortOrder?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md)
+
+## SavedObjectsFindOptions.sortOrder property
+
+<b>Signature:</b>
+
+```typescript
+sortOrder?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
index 97db9bc11c1c4..ac8bdc3eaafcf 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-public.savedobjectsfindoptions.type.md)
-
-## SavedObjectsFindOptions.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-public.savedobjectsfindoptions.type.md)
+
+## SavedObjectsFindOptions.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string | string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
index 61a2daa59f16a..f60e7305fba34 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md)
-
-## SavedObjectsFindResponsePublic interface
-
-Return type of the Saved Objects `find()` method.
-
-\*Note\*: this type is different between the Public and Server Saved Objects clients.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindResponsePublic<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsBatchResponse<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md) | <code>number</code> |  |
-|  [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md)
+
+## SavedObjectsFindResponsePublic interface
+
+Return type of the Saved Objects `find()` method.
+
+\*Note\*: this type is different between the Public and Server Saved Objects clients.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindResponsePublic<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsBatchResponse<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md) | <code>number</code> |  |
+|  [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
index 20e96d1e0df40..f6ec58ca81171 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md)
-
-## SavedObjectsFindResponsePublic.page property
-
-<b>Signature:</b>
-
-```typescript
-page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md)
+
+## SavedObjectsFindResponsePublic.page property
+
+<b>Signature:</b>
+
+```typescript
+page: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
index f706f9cb03b26..490e1b9c63bd9 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md)
-
-## SavedObjectsFindResponsePublic.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md)
+
+## SavedObjectsFindResponsePublic.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
index 0a44c73436a2c..d2b40951b4693 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md)
-
-## SavedObjectsFindResponsePublic.total property
-
-<b>Signature:</b>
-
-```typescript
-total: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md)
+
+## SavedObjectsFindResponsePublic.total property
+
+<b>Signature:</b>
+
+```typescript
+total: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
index 6becc3d507461..07013273f1a54 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md)
-
-## SavedObjectsImportConflictError interface
-
-Represents a failure to import due to a conflict.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportConflictError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md)
+
+## SavedObjectsImportConflictError interface
+
+Represents a failure to import due to a conflict.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportConflictError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
index af20cc8fa8df2..0151f3e7db5d6 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md)
-
-## SavedObjectsImportConflictError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'conflict';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md)
+
+## SavedObjectsImportConflictError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'conflict';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
index ece6016e8bf54..f650c949a5713 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-public.savedobjectsimporterror.error.md)
-
-## SavedObjectsImportError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-public.savedobjectsimporterror.error.md)
+
+## SavedObjectsImportError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
index 995fe61745a00..6eb20036791ba 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-public.savedobjectsimporterror.id.md)
-
-## SavedObjectsImportError.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-public.savedobjectsimporterror.id.md)
+
+## SavedObjectsImportError.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
index dee8bb1c79a57..beb51cab1b21d 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md)
-
-## SavedObjectsImportError interface
-
-Represents a failure to import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
-|  [id](./kibana-plugin-public.savedobjectsimporterror.id.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-public.savedobjectsimporterror.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimporterror.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md)
+
+## SavedObjectsImportError interface
+
+Represents a failure to import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
+|  [id](./kibana-plugin-public.savedobjectsimporterror.id.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-public.savedobjectsimporterror.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimporterror.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
index 71fa13ad4a5d0..ef719e349618a 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-public.savedobjectsimporterror.title.md)
-
-## SavedObjectsImportError.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-public.savedobjectsimporterror.title.md)
+
+## SavedObjectsImportError.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
index fe98dc928e5f0..5b854a805cb31 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimporterror.type.md)
-
-## SavedObjectsImportError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimporterror.type.md)
+
+## SavedObjectsImportError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
index 76bd6e0939a96..8223c30f948d1 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md)
-
-## SavedObjectsImportMissingReferencesError.blocking property
-
-<b>Signature:</b>
-
-```typescript
-blocking: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md)
+
+## SavedObjectsImportMissingReferencesError.blocking property
+
+<b>Signature:</b>
+
+```typescript
+blocking: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
index 58af9e9be0cc5..80c17b97047e8 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md)
-
-## SavedObjectsImportMissingReferencesError interface
-
-Represents a failure to import due to missing references.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportMissingReferencesError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md)
+
+## SavedObjectsImportMissingReferencesError interface
+
+Represents a failure to import due to missing references.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportMissingReferencesError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
index f1dc3b454f7ed..4a40aa98ca6d0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md)
-
-## SavedObjectsImportMissingReferencesError.references property
-
-<b>Signature:</b>
-
-```typescript
-references: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md)
+
+## SavedObjectsImportMissingReferencesError.references property
+
+<b>Signature:</b>
+
+```typescript
+references: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
index 340b36248d83e..62862107c11b4 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md)
-
-## SavedObjectsImportMissingReferencesError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'missing_references';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md)
+
+## SavedObjectsImportMissingReferencesError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'missing_references';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
index c085fd0f8c3b4..7bcea02f7ca49 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md)
-
-## SavedObjectsImportResponse.errors property
-
-<b>Signature:</b>
-
-```typescript
-errors?: SavedObjectsImportError[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md)
+
+## SavedObjectsImportResponse.errors property
+
+<b>Signature:</b>
+
+```typescript
+errors?: SavedObjectsImportError[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
index 9733f11fd6b8f..b75f517346195 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md)
-
-## SavedObjectsImportResponse interface
-
-The response describing the result of an import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
-|  [success](./kibana-plugin-public.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
-|  [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md)
+
+## SavedObjectsImportResponse interface
+
+The response describing the result of an import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
+|  [success](./kibana-plugin-public.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
+|  [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
index 062b8ce3f7c72..b56ce92e7a91e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-public.savedobjectsimportresponse.success.md)
-
-## SavedObjectsImportResponse.success property
-
-<b>Signature:</b>
-
-```typescript
-success: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-public.savedobjectsimportresponse.success.md)
+
+## SavedObjectsImportResponse.success property
+
+<b>Signature:</b>
+
+```typescript
+success: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
index c2c9385926175..1d5dc3295a8b5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md)
-
-## SavedObjectsImportResponse.successCount property
-
-<b>Signature:</b>
-
-```typescript
-successCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md)
+
+## SavedObjectsImportResponse.successCount property
+
+<b>Signature:</b>
+
+```typescript
+successCount: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
index 2569152f17b15..93a983be538f0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-public.savedobjectsimportretry.id.md)
-
-## SavedObjectsImportRetry.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-public.savedobjectsimportretry.id.md)
+
+## SavedObjectsImportRetry.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
index e2cad52f92f2d..64021b0e363de 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md)
-
-## SavedObjectsImportRetry interface
-
-Describes a retry operation for importing a saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportRetry 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectsimportretry.id.md) | <code>string</code> |  |
-|  [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
-|  [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportretry.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md)
+
+## SavedObjectsImportRetry interface
+
+Describes a retry operation for importing a saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportRetry 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectsimportretry.id.md) | <code>string</code> |  |
+|  [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
+|  [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportretry.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
index 9d1f96b2fcfcf..836d33585c0b8 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md)
-
-## SavedObjectsImportRetry.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md)
+
+## SavedObjectsImportRetry.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
index fe587ef8134cc..35ad49b0cdf97 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md)
-
-## SavedObjectsImportRetry.replaceReferences property
-
-<b>Signature:</b>
-
-```typescript
-replaceReferences: Array<{
-        type: string;
-        from: string;
-        to: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md)
+
+## SavedObjectsImportRetry.replaceReferences property
+
+<b>Signature:</b>
+
+```typescript
+replaceReferences: Array<{
+        type: string;
+        from: string;
+        to: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
index b84dac102483a..a7795ca326f33 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-public.savedobjectsimportretry.type.md)
-
-## SavedObjectsImportRetry.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-public.savedobjectsimportretry.type.md)
+
+## SavedObjectsImportRetry.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
index e683757171787..cb949bad67045 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md)
-
-## SavedObjectsImportUnknownError interface
-
-Represents a failure to import due to an unknown reason.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnknownError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
-|  [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md)
+
+## SavedObjectsImportUnknownError interface
+
+Represents a failure to import due to an unknown reason.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnknownError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
+|  [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
index 976c2817bda0a..7a775d4ad8be5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md)
-
-## SavedObjectsImportUnknownError.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md)
+
+## SavedObjectsImportUnknownError.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
index 6c7255dd4b631..cea023fe577e5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md)
-
-## SavedObjectsImportUnknownError.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md)
+
+## SavedObjectsImportUnknownError.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
index 2ef764d68322e..4f533bf6c6347 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md)
-
-## SavedObjectsImportUnknownError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unknown';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md)
+
+## SavedObjectsImportUnknownError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unknown';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
index 09ae53c031352..caa7a2729e6a0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md)
-
-## SavedObjectsImportUnsupportedTypeError interface
-
-Represents a failure to import due to having an unsupported saved object type.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnsupportedTypeError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md)
+
+## SavedObjectsImportUnsupportedTypeError interface
+
+Represents a failure to import due to having an unsupported saved object type.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnsupportedTypeError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
index 55ddf15058fab..e6d20db043408 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md)
-
-## SavedObjectsImportUnsupportedTypeError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unsupported_type';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md)
+
+## SavedObjectsImportUnsupportedTypeError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unsupported_type';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
index 675adb9498c50..7a50744acee30 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md)
-
-## SavedObjectsMigrationVersion interface
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationVersion 
-```
-
-## Example
-
-migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md)
+
+## SavedObjectsMigrationVersion interface
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationVersion 
+```
+
+## Example
+
+migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
index d3e0da7a414b0..be4bf6c5c21bf 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) &gt; [client](./kibana-plugin-public.savedobjectsstart.client.md)
-
-## SavedObjectsStart.client property
-
-[SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-client: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) &gt; [client](./kibana-plugin-public.savedobjectsstart.client.md)
+
+## SavedObjectsStart.client property
+
+[SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+client: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
index 07a70f306cd26..a7e69205bcf95 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
-
-## SavedObjectsStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [client](./kibana-plugin-public.savedobjectsstart.client.md) | <code>SavedObjectsClientContract</code> | [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
+
+## SavedObjectsStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [client](./kibana-plugin-public.savedobjectsstart.client.md) | <code>SavedObjectsClientContract</code> | [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
index 800a78d65486b..dc9dc94751607 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md)
-
-## SavedObjectsUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md)
+
+## SavedObjectsUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
index e5fe20acd3994..69e8312c1f197 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md)
-
-## SavedObjectsUpdateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md)
+
+## SavedObjectsUpdateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
index eda84ec8e0bfa..d4f479a634af3 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md)
-
-## SavedObjectsUpdateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md)
+
+## SavedObjectsUpdateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
index 9aacfa9124016..7e0ccf9c2d71f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md)
-
-## SavedObjectsUpdateOptions.version property
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md)
+
+## SavedObjectsUpdateOptions.version property
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
index ebc7652a0fcf5..f0769c0124d63 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [(constructor)](./kibana-plugin-public.simplesavedobject._constructor_.md)
-
-## SimpleSavedObject.(constructor)
-
-Constructs a new instance of the `SimpleSavedObject` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(client: SavedObjectsClient, { id, type, version, attributes, error, references, migrationVersion }: SavedObjectType<T>);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  client | <code>SavedObjectsClient</code> |  |
-|  { id, type, version, attributes, error, references, migrationVersion } | <code>SavedObjectType&lt;T&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [(constructor)](./kibana-plugin-public.simplesavedobject._constructor_.md)
+
+## SimpleSavedObject.(constructor)
+
+Constructs a new instance of the `SimpleSavedObject` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(client: SavedObjectsClient, { id, type, version, attributes, error, references, migrationVersion }: SavedObjectType<T>);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  client | <code>SavedObjectsClient</code> |  |
+|  { id, type, version, attributes, error, references, migrationVersion } | <code>SavedObjectType&lt;T&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
index 7cbe08b8de760..d49d4309addd4 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [\_version](./kibana-plugin-public.simplesavedobject._version.md)
-
-## SimpleSavedObject.\_version property
-
-<b>Signature:</b>
-
-```typescript
-_version?: SavedObjectType<T>['version'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [\_version](./kibana-plugin-public.simplesavedobject._version.md)
+
+## SimpleSavedObject.\_version property
+
+<b>Signature:</b>
+
+```typescript
+_version?: SavedObjectType<T>['version'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
index 1c57136a1952e..00898a0db5c84 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [attributes](./kibana-plugin-public.simplesavedobject.attributes.md)
-
-## SimpleSavedObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [attributes](./kibana-plugin-public.simplesavedobject.attributes.md)
+
+## SimpleSavedObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
index 8a04acfedec62..e3ce90bc1d544 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [delete](./kibana-plugin-public.simplesavedobject.delete.md)
-
-## SimpleSavedObject.delete() method
-
-<b>Signature:</b>
-
-```typescript
-delete(): Promise<{}>;
-```
-<b>Returns:</b>
-
-`Promise<{}>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [delete](./kibana-plugin-public.simplesavedobject.delete.md)
+
+## SimpleSavedObject.delete() method
+
+<b>Signature:</b>
+
+```typescript
+delete(): Promise<{}>;
+```
+<b>Returns:</b>
+
+`Promise<{}>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
index 0b4f914ac92e8..5731b71b52126 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [error](./kibana-plugin-public.simplesavedobject.error.md)
-
-## SimpleSavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectType<T>['error'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [error](./kibana-plugin-public.simplesavedobject.error.md)
+
+## SimpleSavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectType<T>['error'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
index 39a899e4a6cd3..943a23410f6aa 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [get](./kibana-plugin-public.simplesavedobject.get.md)
-
-## SimpleSavedObject.get() method
-
-<b>Signature:</b>
-
-```typescript
-get(key: string): any;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`any`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [get](./kibana-plugin-public.simplesavedobject.get.md)
+
+## SimpleSavedObject.get() method
+
+<b>Signature:</b>
+
+```typescript
+get(key: string): any;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`any`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
index 5f3019d55c3f6..dacdcc849635f 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [has](./kibana-plugin-public.simplesavedobject.has.md)
-
-## SimpleSavedObject.has() method
-
-<b>Signature:</b>
-
-```typescript
-has(key: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [has](./kibana-plugin-public.simplesavedobject.has.md)
+
+## SimpleSavedObject.has() method
+
+<b>Signature:</b>
+
+```typescript
+has(key: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
index ed97976c4100f..375c5bd105aa7 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [id](./kibana-plugin-public.simplesavedobject.id.md)
-
-## SimpleSavedObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: SavedObjectType<T>['id'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [id](./kibana-plugin-public.simplesavedobject.id.md)
+
+## SimpleSavedObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: SavedObjectType<T>['id'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
index 8dc8bdceaeb13..1f6de163ec17d 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
@@ -1,44 +1,44 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md)
-
-## SimpleSavedObject class
-
-This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.
-
-It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations.
-
-<b>Signature:</b>
-
-```typescript
-export declare class SimpleSavedObject<T extends SavedObjectAttributes> 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(client, { id, type, version, attributes, error, references, migrationVersion })](./kibana-plugin-public.simplesavedobject._constructor_.md) |  | Constructs a new instance of the <code>SimpleSavedObject</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [\_version](./kibana-plugin-public.simplesavedobject._version.md) |  | <code>SavedObjectType&lt;T&gt;['version']</code> |  |
-|  [attributes](./kibana-plugin-public.simplesavedobject.attributes.md) |  | <code>T</code> |  |
-|  [error](./kibana-plugin-public.simplesavedobject.error.md) |  | <code>SavedObjectType&lt;T&gt;['error']</code> |  |
-|  [id](./kibana-plugin-public.simplesavedobject.id.md) |  | <code>SavedObjectType&lt;T&gt;['id']</code> |  |
-|  [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md) |  | <code>SavedObjectType&lt;T&gt;['migrationVersion']</code> |  |
-|  [references](./kibana-plugin-public.simplesavedobject.references.md) |  | <code>SavedObjectType&lt;T&gt;['references']</code> |  |
-|  [type](./kibana-plugin-public.simplesavedobject.type.md) |  | <code>SavedObjectType&lt;T&gt;['type']</code> |  |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [delete()](./kibana-plugin-public.simplesavedobject.delete.md) |  |  |
-|  [get(key)](./kibana-plugin-public.simplesavedobject.get.md) |  |  |
-|  [has(key)](./kibana-plugin-public.simplesavedobject.has.md) |  |  |
-|  [save()](./kibana-plugin-public.simplesavedobject.save.md) |  |  |
-|  [set(key, value)](./kibana-plugin-public.simplesavedobject.set.md) |  |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md)
+
+## SimpleSavedObject class
+
+This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.
+
+It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations.
+
+<b>Signature:</b>
+
+```typescript
+export declare class SimpleSavedObject<T extends SavedObjectAttributes> 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(client, { id, type, version, attributes, error, references, migrationVersion })](./kibana-plugin-public.simplesavedobject._constructor_.md) |  | Constructs a new instance of the <code>SimpleSavedObject</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [\_version](./kibana-plugin-public.simplesavedobject._version.md) |  | <code>SavedObjectType&lt;T&gt;['version']</code> |  |
+|  [attributes](./kibana-plugin-public.simplesavedobject.attributes.md) |  | <code>T</code> |  |
+|  [error](./kibana-plugin-public.simplesavedobject.error.md) |  | <code>SavedObjectType&lt;T&gt;['error']</code> |  |
+|  [id](./kibana-plugin-public.simplesavedobject.id.md) |  | <code>SavedObjectType&lt;T&gt;['id']</code> |  |
+|  [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md) |  | <code>SavedObjectType&lt;T&gt;['migrationVersion']</code> |  |
+|  [references](./kibana-plugin-public.simplesavedobject.references.md) |  | <code>SavedObjectType&lt;T&gt;['references']</code> |  |
+|  [type](./kibana-plugin-public.simplesavedobject.type.md) |  | <code>SavedObjectType&lt;T&gt;['type']</code> |  |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [delete()](./kibana-plugin-public.simplesavedobject.delete.md) |  |  |
+|  [get(key)](./kibana-plugin-public.simplesavedobject.get.md) |  |  |
+|  [has(key)](./kibana-plugin-public.simplesavedobject.has.md) |  |  |
+|  [save()](./kibana-plugin-public.simplesavedobject.save.md) |  |  |
+|  [set(key, value)](./kibana-plugin-public.simplesavedobject.set.md) |  |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
index 6f7b3af03099d..e6eafa4a11845 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md)
-
-## SimpleSavedObject.migrationVersion property
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion: SavedObjectType<T>['migrationVersion'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md)
+
+## SimpleSavedObject.migrationVersion property
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion: SavedObjectType<T>['migrationVersion'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
index 159f855538f62..b4264a77f8e94 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [references](./kibana-plugin-public.simplesavedobject.references.md)
-
-## SimpleSavedObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectType<T>['references'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [references](./kibana-plugin-public.simplesavedobject.references.md)
+
+## SimpleSavedObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectType<T>['references'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
index 05f8880fbcdd6..a93b6abfec171 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [save](./kibana-plugin-public.simplesavedobject.save.md)
-
-## SimpleSavedObject.save() method
-
-<b>Signature:</b>
-
-```typescript
-save(): Promise<SimpleSavedObject<T>>;
-```
-<b>Returns:</b>
-
-`Promise<SimpleSavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [save](./kibana-plugin-public.simplesavedobject.save.md)
+
+## SimpleSavedObject.save() method
+
+<b>Signature:</b>
+
+```typescript
+save(): Promise<SimpleSavedObject<T>>;
+```
+<b>Returns:</b>
+
+`Promise<SimpleSavedObject<T>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
index ce3f9c5919d7c..e37b03e279a12 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [set](./kibana-plugin-public.simplesavedobject.set.md)
-
-## SimpleSavedObject.set() method
-
-<b>Signature:</b>
-
-```typescript
-set(key: string, value: any): T;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-|  value | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`T`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [set](./kibana-plugin-public.simplesavedobject.set.md)
+
+## SimpleSavedObject.set() method
+
+<b>Signature:</b>
+
+```typescript
+set(key: string, value: any): T;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+|  value | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`T`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
index b004c70013d6d..5a8b8057460d3 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [type](./kibana-plugin-public.simplesavedobject.type.md)
-
-## SimpleSavedObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: SavedObjectType<T>['type'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [type](./kibana-plugin-public.simplesavedobject.type.md)
+
+## SimpleSavedObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: SavedObjectType<T>['type'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidation.md b/docs/development/core/public/kibana-plugin-public.stringvalidation.md
index bf01e857d262a..542836c0ba99e 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidation.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidation](./kibana-plugin-public.stringvalidation.md)
-
-## StringValidation type
-
-Allows regex objects or a regex string
-
-<b>Signature:</b>
-
-```typescript
-export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidation](./kibana-plugin-public.stringvalidation.md)
+
+## StringValidation type
+
+Allows regex objects or a regex string
+
+<b>Signature:</b>
+
+```typescript
+export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
index a60a7bbf742c8..e568d9fc035da 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md)
-
-## StringValidationRegex interface
-
-StringValidation with regex object
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegex 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.stringvalidationregex.message.md) | <code>string</code> |  |
-|  [regex](./kibana-plugin-public.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md)
+
+## StringValidationRegex interface
+
+StringValidation with regex object
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegex 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.stringvalidationregex.message.md) | <code>string</code> |  |
+|  [regex](./kibana-plugin-public.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
index dae94ae08bde5..27e11eedb3599 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [message](./kibana-plugin-public.stringvalidationregex.message.md)
-
-## StringValidationRegex.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [message](./kibana-plugin-public.stringvalidationregex.message.md)
+
+## StringValidationRegex.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
index db7a1fca75aae..fc3a6d96108c4 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [regex](./kibana-plugin-public.stringvalidationregex.regex.md)
-
-## StringValidationRegex.regex property
-
-<b>Signature:</b>
-
-```typescript
-regex: RegExp;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [regex](./kibana-plugin-public.stringvalidationregex.regex.md)
+
+## StringValidationRegex.regex property
+
+<b>Signature:</b>
+
+```typescript
+regex: RegExp;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
index f64e65122d9d1..7aa7edf0ac9f0 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md)
-
-## StringValidationRegexString interface
-
-StringValidation as regex string
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegexString 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.stringvalidationregexstring.message.md) | <code>string</code> |  |
-|  [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md)
+
+## StringValidationRegexString interface
+
+StringValidation as regex string
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegexString 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.stringvalidationregexstring.message.md) | <code>string</code> |  |
+|  [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
index 6d844e8dd970f..109dea29084ac 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-public.stringvalidationregexstring.message.md)
-
-## StringValidationRegexString.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-public.stringvalidationregexstring.message.md)
+
+## StringValidationRegexString.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
index b779f113f3bbc..6e7a23e4cc11f 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md)
-
-## StringValidationRegexString.regexString property
-
-<b>Signature:</b>
-
-```typescript
-regexString: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md)
+
+## StringValidationRegexString.regexString property
+
+<b>Signature:</b>
+
+```typescript
+regexString: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toast.md b/docs/development/core/public/kibana-plugin-public.toast.md
index 0cbbf29df073a..7cbbf4b3c00fa 100644
--- a/docs/development/core/public/kibana-plugin-public.toast.md
+++ b/docs/development/core/public/kibana-plugin-public.toast.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Toast](./kibana-plugin-public.toast.md)
-
-## Toast type
-
-<b>Signature:</b>
-
-```typescript
-export declare type Toast = ToastInputFields & {
-    id: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Toast](./kibana-plugin-public.toast.md)
+
+## Toast type
+
+<b>Signature:</b>
+
+```typescript
+export declare type Toast = ToastInputFields & {
+    id: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastinput.md b/docs/development/core/public/kibana-plugin-public.toastinput.md
index 9dd20b5899f3a..425d734075469 100644
--- a/docs/development/core/public/kibana-plugin-public.toastinput.md
+++ b/docs/development/core/public/kibana-plugin-public.toastinput.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInput](./kibana-plugin-public.toastinput.md)
-
-## ToastInput type
-
-Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastInput = string | ToastInputFields;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInput](./kibana-plugin-public.toastinput.md)
+
+## ToastInput type
+
+Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastInput = string | ToastInputFields;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastinputfields.md b/docs/development/core/public/kibana-plugin-public.toastinputfields.md
index 3a6bc3a5e45da..a8b890e3c3973 100644
--- a/docs/development/core/public/kibana-plugin-public.toastinputfields.md
+++ b/docs/development/core/public/kibana-plugin-public.toastinputfields.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInputFields](./kibana-plugin-public.toastinputfields.md)
-
-## ToastInputFields type
-
-Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastInputFields = Pick<EuiToast, Exclude<keyof EuiToast, 'id' | 'text' | 'title'>> & {
-    title?: string | MountPoint;
-    text?: string | MountPoint;
-};
-```
-
-## Remarks
-
-`id` cannot be specified.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInputFields](./kibana-plugin-public.toastinputfields.md)
+
+## ToastInputFields type
+
+Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastInputFields = Pick<EuiToast, Exclude<keyof EuiToast, 'id' | 'text' | 'title'>> & {
+    title?: string | MountPoint;
+    text?: string | MountPoint;
+};
+```
+
+## Remarks
+
+`id` cannot be specified.
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md b/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
index 2b5ce41de8ece..66f41a6ed38c6 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [(constructor)](./kibana-plugin-public.toastsapi._constructor_.md)
-
-## ToastsApi.(constructor)
-
-Constructs a new instance of the `ToastsApi` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(deps: {
-        uiSettings: IUiSettingsClient;
-    });
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  deps | <code>{</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [(constructor)](./kibana-plugin-public.toastsapi._constructor_.md)
+
+## ToastsApi.(constructor)
+
+Constructs a new instance of the `ToastsApi` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(deps: {
+        uiSettings: IUiSettingsClient;
+    });
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  deps | <code>{</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.add.md b/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
index 6b651b310e974..3d3213739e30b 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [add](./kibana-plugin-public.toastsapi.add.md)
-
-## ToastsApi.add() method
-
-Adds a new toast to current array of toast.
-
-<b>Signature:</b>
-
-```typescript
-add(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [add](./kibana-plugin-public.toastsapi.add.md)
+
+## ToastsApi.add() method
+
+Adds a new toast to current array of toast.
+
+<b>Signature:</b>
+
+```typescript
+add(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md b/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
index 67ebad919ed2a..07bca25cba8c8 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addDanger](./kibana-plugin-public.toastsapi.adddanger.md)
-
-## ToastsApi.addDanger() method
-
-Adds a new toast pre-configured with the danger color and alert icon.
-
-<b>Signature:</b>
-
-```typescript
-addDanger(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addDanger](./kibana-plugin-public.toastsapi.adddanger.md)
+
+## ToastsApi.addDanger() method
+
+Adds a new toast pre-configured with the danger color and alert icon.
+
+<b>Signature:</b>
+
+```typescript
+addDanger(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md b/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
index 39090fb8f1bbe..18455fef9d343 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addError](./kibana-plugin-public.toastsapi.adderror.md)
-
-## ToastsApi.addError() method
-
-Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal.
-
-<b>Signature:</b>
-
-```typescript
-addError(error: Error, options: ErrorToastOptions): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> | an <code>Error</code> instance. |
-|  options | <code>ErrorToastOptions</code> | [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addError](./kibana-plugin-public.toastsapi.adderror.md)
+
+## ToastsApi.addError() method
+
+Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal.
+
+<b>Signature:</b>
+
+```typescript
+addError(error: Error, options: ErrorToastOptions): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> | an <code>Error</code> instance. |
+|  options | <code>ErrorToastOptions</code> | [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md b/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
index ce9a9a2fae691..b6a9bfb035602 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addSuccess](./kibana-plugin-public.toastsapi.addsuccess.md)
-
-## ToastsApi.addSuccess() method
-
-Adds a new toast pre-configured with the success color and check icon.
-
-<b>Signature:</b>
-
-```typescript
-addSuccess(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addSuccess](./kibana-plugin-public.toastsapi.addsuccess.md)
+
+## ToastsApi.addSuccess() method
+
+Adds a new toast pre-configured with the success color and check icon.
+
+<b>Signature:</b>
+
+```typescript
+addSuccess(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md b/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
index 948181f825763..47de96959c688 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addWarning](./kibana-plugin-public.toastsapi.addwarning.md)
-
-## ToastsApi.addWarning() method
-
-Adds a new toast pre-configured with the warning color and help icon.
-
-<b>Signature:</b>
-
-```typescript
-addWarning(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addWarning](./kibana-plugin-public.toastsapi.addwarning.md)
+
+## ToastsApi.addWarning() method
+
+Adds a new toast pre-configured with the warning color and help icon.
+
+<b>Signature:</b>
+
+```typescript
+addWarning(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md b/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
index 48e4fdc7a2ec0..7ae933f751bd0 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [get$](./kibana-plugin-public.toastsapi.get_.md)
-
-## ToastsApi.get$() method
-
-Observable of the toast messages to show to the user.
-
-<b>Signature:</b>
-
-```typescript
-get$(): Rx.Observable<Toast[]>;
-```
-<b>Returns:</b>
-
-`Rx.Observable<Toast[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [get$](./kibana-plugin-public.toastsapi.get_.md)
+
+## ToastsApi.get$() method
+
+Observable of the toast messages to show to the user.
+
+<b>Signature:</b>
+
+```typescript
+get$(): Rx.Observable<Toast[]>;
+```
+<b>Returns:</b>
+
+`Rx.Observable<Toast[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.md b/docs/development/core/public/kibana-plugin-public.toastsapi.md
index ae4a2de9fc75c..c69e9b4b8e456 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md)
-
-## ToastsApi class
-
-Methods for adding and removing global toast messages.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ToastsApi implements IToasts 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(deps)](./kibana-plugin-public.toastsapi._constructor_.md) |  | Constructs a new instance of the <code>ToastsApi</code> class |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [add(toastOrTitle)](./kibana-plugin-public.toastsapi.add.md) |  | Adds a new toast to current array of toast. |
-|  [addDanger(toastOrTitle)](./kibana-plugin-public.toastsapi.adddanger.md) |  | Adds a new toast pre-configured with the danger color and alert icon. |
-|  [addError(error, options)](./kibana-plugin-public.toastsapi.adderror.md) |  | Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal. |
-|  [addSuccess(toastOrTitle)](./kibana-plugin-public.toastsapi.addsuccess.md) |  | Adds a new toast pre-configured with the success color and check icon. |
-|  [addWarning(toastOrTitle)](./kibana-plugin-public.toastsapi.addwarning.md) |  | Adds a new toast pre-configured with the warning color and help icon. |
-|  [get$()](./kibana-plugin-public.toastsapi.get_.md) |  | Observable of the toast messages to show to the user. |
-|  [remove(toastOrId)](./kibana-plugin-public.toastsapi.remove.md) |  | Removes a toast from the current array of toasts if present. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md)
+
+## ToastsApi class
+
+Methods for adding and removing global toast messages.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ToastsApi implements IToasts 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(deps)](./kibana-plugin-public.toastsapi._constructor_.md) |  | Constructs a new instance of the <code>ToastsApi</code> class |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [add(toastOrTitle)](./kibana-plugin-public.toastsapi.add.md) |  | Adds a new toast to current array of toast. |
+|  [addDanger(toastOrTitle)](./kibana-plugin-public.toastsapi.adddanger.md) |  | Adds a new toast pre-configured with the danger color and alert icon. |
+|  [addError(error, options)](./kibana-plugin-public.toastsapi.adderror.md) |  | Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal. |
+|  [addSuccess(toastOrTitle)](./kibana-plugin-public.toastsapi.addsuccess.md) |  | Adds a new toast pre-configured with the success color and check icon. |
+|  [addWarning(toastOrTitle)](./kibana-plugin-public.toastsapi.addwarning.md) |  | Adds a new toast pre-configured with the warning color and help icon. |
+|  [get$()](./kibana-plugin-public.toastsapi.get_.md) |  | Observable of the toast messages to show to the user. |
+|  [remove(toastOrId)](./kibana-plugin-public.toastsapi.remove.md) |  | Removes a toast from the current array of toasts if present. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md b/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
index 9f27041175207..6f1323a4b0de0 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [remove](./kibana-plugin-public.toastsapi.remove.md)
-
-## ToastsApi.remove() method
-
-Removes a toast from the current array of toasts if present.
-
-<b>Signature:</b>
-
-```typescript
-remove(toastOrId: Toast | string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrId | <code>Toast &#124; string</code> | a [Toast](./kibana-plugin-public.toast.md) returned by [ToastsApi.add()](./kibana-plugin-public.toastsapi.add.md) or its id |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [remove](./kibana-plugin-public.toastsapi.remove.md)
+
+## ToastsApi.remove() method
+
+Removes a toast from the current array of toasts if present.
+
+<b>Signature:</b>
+
+```typescript
+remove(toastOrId: Toast | string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrId | <code>Toast &#124; string</code> | a [Toast](./kibana-plugin-public.toast.md) returned by [ToastsApi.add()](./kibana-plugin-public.toastsapi.add.md) or its id |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastssetup.md b/docs/development/core/public/kibana-plugin-public.toastssetup.md
index e06dd7f7093bb..ab3d7c45f3ce9 100644
--- a/docs/development/core/public/kibana-plugin-public.toastssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.toastssetup.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsSetup](./kibana-plugin-public.toastssetup.md)
-
-## ToastsSetup type
-
-[IToasts](./kibana-plugin-public.itoasts.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastsSetup = IToasts;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsSetup](./kibana-plugin-public.toastssetup.md)
+
+## ToastsSetup type
+
+[IToasts](./kibana-plugin-public.itoasts.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastsSetup = IToasts;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastsstart.md b/docs/development/core/public/kibana-plugin-public.toastsstart.md
index 6e090dcdc64fb..3f8f27bd558b3 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsStart](./kibana-plugin-public.toastsstart.md)
-
-## ToastsStart type
-
-[IToasts](./kibana-plugin-public.itoasts.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastsStart = IToasts;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsStart](./kibana-plugin-public.toastsstart.md)
+
+## ToastsStart type
+
+[IToasts](./kibana-plugin-public.itoasts.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastsStart = IToasts;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
index 859b25cab4be8..c94a5ea4d4f9e 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [category](./kibana-plugin-public.uisettingsparams.category.md)
-
-## UiSettingsParams.category property
-
-used to group the configured setting in the UI
-
-<b>Signature:</b>
-
-```typescript
-category?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [category](./kibana-plugin-public.uisettingsparams.category.md)
+
+## UiSettingsParams.category property
+
+used to group the configured setting in the UI
+
+<b>Signature:</b>
+
+```typescript
+category?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
index 2364d34bdb8a3..928ba87ce8621 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md)
-
-## UiSettingsParams.deprecation property
-
-optional deprecation information. Used to generate a deprecation warning.
-
-<b>Signature:</b>
-
-```typescript
-deprecation?: DeprecationSettings;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md)
+
+## UiSettingsParams.deprecation property
+
+optional deprecation information. Used to generate a deprecation warning.
+
+<b>Signature:</b>
+
+```typescript
+deprecation?: DeprecationSettings;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
index 2707c0a456d96..13c7fb25411d0 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [description](./kibana-plugin-public.uisettingsparams.description.md)
-
-## UiSettingsParams.description property
-
-description provided to a user in UI
-
-<b>Signature:</b>
-
-```typescript
-description?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [description](./kibana-plugin-public.uisettingsparams.description.md)
+
+## UiSettingsParams.description property
+
+description provided to a user in UI
+
+<b>Signature:</b>
+
+```typescript
+description?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
index d8a966d3e69bf..6a368a6ae328c 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md)
-
-## UiSettingsParams interface
-
-UiSettings parameters defined by the plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-public.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
-|  [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
-|  [description](./kibana-plugin-public.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
-|  [name](./kibana-plugin-public.uisettingsparams.name.md) | <code>string</code> | title in the UI |
-|  [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
-|  [options](./kibana-plugin-public.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
-|  [readonly](./kibana-plugin-public.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
-|  [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
-|  [type](./kibana-plugin-public.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md) |
-|  [validation](./kibana-plugin-public.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
-|  [value](./kibana-plugin-public.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md)
+
+## UiSettingsParams interface
+
+UiSettings parameters defined by the plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-public.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
+|  [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
+|  [description](./kibana-plugin-public.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
+|  [name](./kibana-plugin-public.uisettingsparams.name.md) | <code>string</code> | title in the UI |
+|  [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
+|  [options](./kibana-plugin-public.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
+|  [readonly](./kibana-plugin-public.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
+|  [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
+|  [type](./kibana-plugin-public.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md) |
+|  [validation](./kibana-plugin-public.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
+|  [value](./kibana-plugin-public.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
+
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
index 4397c06c02c3d..91b13e8592129 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [name](./kibana-plugin-public.uisettingsparams.name.md)
-
-## UiSettingsParams.name property
-
-title in the UI
-
-<b>Signature:</b>
-
-```typescript
-name?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [name](./kibana-plugin-public.uisettingsparams.name.md)
+
+## UiSettingsParams.name property
+
+title in the UI
+
+<b>Signature:</b>
+
+```typescript
+name?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
index e6e320ae8b09f..c2eb182308072 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md)
-
-## UiSettingsParams.optionLabels property
-
-text labels for 'select' type UI element
-
-<b>Signature:</b>
-
-```typescript
-optionLabels?: Record<string, string>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md)
+
+## UiSettingsParams.optionLabels property
+
+text labels for 'select' type UI element
+
+<b>Signature:</b>
+
+```typescript
+optionLabels?: Record<string, string>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
index e1a637281b44e..e3958027f42c9 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [options](./kibana-plugin-public.uisettingsparams.options.md)
-
-## UiSettingsParams.options property
-
-array of permitted values for this setting
-
-<b>Signature:</b>
-
-```typescript
-options?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [options](./kibana-plugin-public.uisettingsparams.options.md)
+
+## UiSettingsParams.options property
+
+array of permitted values for this setting
+
+<b>Signature:</b>
+
+```typescript
+options?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
index 92fcb5eae5232..6efd2d557b7f0 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [readonly](./kibana-plugin-public.uisettingsparams.readonly.md)
-
-## UiSettingsParams.readonly property
-
-a flag indicating that value cannot be changed
-
-<b>Signature:</b>
-
-```typescript
-readonly?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [readonly](./kibana-plugin-public.uisettingsparams.readonly.md)
+
+## UiSettingsParams.readonly property
+
+a flag indicating that value cannot be changed
+
+<b>Signature:</b>
+
+```typescript
+readonly?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
index 7d4994208ff1f..0389b56d8e259 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md)
-
-## UiSettingsParams.requiresPageReload property
-
-a flag indicating whether new value applying requires page reloading
-
-<b>Signature:</b>
-
-```typescript
-requiresPageReload?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md)
+
+## UiSettingsParams.requiresPageReload property
+
+a flag indicating whether new value applying requires page reloading
+
+<b>Signature:</b>
+
+```typescript
+requiresPageReload?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
index e75dbce413ece..f3b20c90271a3 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [type](./kibana-plugin-public.uisettingsparams.type.md)
-
-## UiSettingsParams.type property
-
-defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
-
-<b>Signature:</b>
-
-```typescript
-type?: UiSettingsType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [type](./kibana-plugin-public.uisettingsparams.type.md)
+
+## UiSettingsParams.type property
+
+defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
+
+<b>Signature:</b>
+
+```typescript
+type?: UiSettingsType;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
index 21b1de399a332..c2202d07c6245 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [validation](./kibana-plugin-public.uisettingsparams.validation.md)
-
-## UiSettingsParams.validation property
-
-<b>Signature:</b>
-
-```typescript
-validation?: ImageValidation | StringValidation;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [validation](./kibana-plugin-public.uisettingsparams.validation.md)
+
+## UiSettingsParams.validation property
+
+<b>Signature:</b>
+
+```typescript
+validation?: ImageValidation | StringValidation;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
index d489b4567ded0..31850514e03a7 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [value](./kibana-plugin-public.uisettingsparams.value.md)
-
-## UiSettingsParams.value property
-
-default value to fall back to if a user doesn't provide any
-
-<b>Signature:</b>
-
-```typescript
-value?: SavedObjectAttribute;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [value](./kibana-plugin-public.uisettingsparams.value.md)
+
+## UiSettingsParams.value property
+
+default value to fall back to if a user doesn't provide any
+
+<b>Signature:</b>
+
+```typescript
+value?: SavedObjectAttribute;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsstate.md b/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
index 4754898f05cb0..f2b147b3e1a27 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsState](./kibana-plugin-public.uisettingsstate.md)
-
-## UiSettingsState interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsState 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsState](./kibana-plugin-public.uisettingsstate.md)
+
+## UiSettingsState interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsState 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingstype.md b/docs/development/core/public/kibana-plugin-public.uisettingstype.md
index cb58152bd093e..d449236fe92d9 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingstype.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingstype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
-
-## UiSettingsType type
-
-UI element type to represent the settings.
-
-<b>Signature:</b>
-
-```typescript
-export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
+
+## UiSettingsType type
+
+UI element type to represent the settings.
+
+<b>Signature:</b>
+
+```typescript
+export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.unmountcallback.md b/docs/development/core/public/kibana-plugin-public.unmountcallback.md
index f44562120c9ee..b533358741723 100644
--- a/docs/development/core/public/kibana-plugin-public.unmountcallback.md
+++ b/docs/development/core/public/kibana-plugin-public.unmountcallback.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UnmountCallback](./kibana-plugin-public.unmountcallback.md)
-
-## UnmountCallback type
-
-A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type UnmountCallback = () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UnmountCallback](./kibana-plugin-public.unmountcallback.md)
+
+## UnmountCallback type
+
+A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type UnmountCallback = () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
index f62ca61ba9142..75467967d9924 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md)
-
-## UserProvidedValues.isOverridden property
-
-<b>Signature:</b>
-
-```typescript
-isOverridden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md)
+
+## UserProvidedValues.isOverridden property
+
+<b>Signature:</b>
+
+```typescript
+isOverridden?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
index 481bd36dd0ea6..1c23c4d7a4b62 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md)
-
-## UserProvidedValues interface
-
-Describes the values explicitly set by user.
-
-<b>Signature:</b>
-
-```typescript
-export interface UserProvidedValues<T = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
-|  [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md) | <code>T</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md)
+
+## UserProvidedValues interface
+
+Describes the values explicitly set by user.
+
+<b>Signature:</b>
+
+```typescript
+export interface UserProvidedValues<T = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
+|  [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md) | <code>T</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
index 132409ad989b1..1f7121177b07e 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md)
-
-## UserProvidedValues.userValue property
-
-<b>Signature:</b>
-
-```typescript
-userValue?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md)
+
+## UserProvidedValues.userValue property
+
+<b>Signature:</b>
+
+```typescript
+userValue?: T;
+```
diff --git a/docs/development/core/server/index.md b/docs/development/core/server/index.md
index da1d76853f43d..2d8eb26a689c6 100644
--- a/docs/development/core/server/index.md
+++ b/docs/development/core/server/index.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md)
-
-## API Reference
-
-## Packages
-
-|  Package | Description |
-|  --- | --- |
-|  [kibana-plugin-server](./kibana-plugin-server.md) | The Kibana Core APIs for server-side plugins.<!-- -->A plugin requires a <code>kibana.json</code> file at it's root directory that follows  to define static plugin information required to load the plugin.<!-- -->A plugin's <code>server/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md)
+
+## API Reference
+
+## Packages
+
+|  Package | Description |
+|  --- | --- |
+|  [kibana-plugin-server](./kibana-plugin-server.md) | The Kibana Core APIs for server-side plugins.<!-- -->A plugin requires a <code>kibana.json</code> file at it's root directory that follows  to define static plugin information required to load the plugin.<!-- -->A plugin's <code>server/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.apicaller.md b/docs/development/core/server/kibana-plugin-server.apicaller.md
index 9fd50ea5c4b66..4e22a702ecbbe 100644
--- a/docs/development/core/server/kibana-plugin-server.apicaller.md
+++ b/docs/development/core/server/kibana-plugin-server.apicaller.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [APICaller](./kibana-plugin-server.apicaller.md)
-
-## APICaller interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface APICaller 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [APICaller](./kibana-plugin-server.apicaller.md)
+
+## APICaller interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface APICaller 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
index 307cd3bb5ae21..6777ab6caeca2 100644
--- a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
+++ b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) &gt; [indices](./kibana-plugin-server.assistanceapiresponse.indices.md)
-
-## AssistanceAPIResponse.indices property
-
-<b>Signature:</b>
-
-```typescript
-indices: {
-        [indexName: string]: {
-            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) &gt; [indices](./kibana-plugin-server.assistanceapiresponse.indices.md)
+
+## AssistanceAPIResponse.indices property
+
+<b>Signature:</b>
+
+```typescript
+indices: {
+        [indexName: string]: {
+            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;
+        };
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
index 398fe62ce2479..9322b4c75837c 100644
--- a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md)
-
-## AssistanceAPIResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AssistanceAPIResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [indices](./kibana-plugin-server.assistanceapiresponse.indices.md) | <code>{</code><br/><code>        [indexName: string]: {</code><br/><code>            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;</code><br/><code>        };</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md)
+
+## AssistanceAPIResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AssistanceAPIResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [indices](./kibana-plugin-server.assistanceapiresponse.indices.md) | <code>{</code><br/><code>        [indexName: string]: {</code><br/><code>            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;</code><br/><code>        };</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
index cf7ca56c8a75e..c37d47f0c4963 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md)
-
-## AssistantAPIClientParams interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AssistantAPIClientParams extends GenericParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.assistantapiclientparams.method.md) | <code>'GET'</code> |  |
-|  [path](./kibana-plugin-server.assistantapiclientparams.path.md) | <code>'/_migration/assistance'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md)
+
+## AssistantAPIClientParams interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AssistantAPIClientParams extends GenericParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.assistantapiclientparams.method.md) | <code>'GET'</code> |  |
+|  [path](./kibana-plugin-server.assistantapiclientparams.path.md) | <code>'/_migration/assistance'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
index feeb4403ca0a3..6929bf9ab3d1c 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [method](./kibana-plugin-server.assistantapiclientparams.method.md)
-
-## AssistantAPIClientParams.method property
-
-<b>Signature:</b>
-
-```typescript
-method: 'GET';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [method](./kibana-plugin-server.assistantapiclientparams.method.md)
+
+## AssistantAPIClientParams.method property
+
+<b>Signature:</b>
+
+```typescript
+method: 'GET';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
index 3b82c477993e0..4889f41d613eb 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [path](./kibana-plugin-server.assistantapiclientparams.path.md)
-
-## AssistantAPIClientParams.path property
-
-<b>Signature:</b>
-
-```typescript
-path: '/_migration/assistance';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [path](./kibana-plugin-server.assistantapiclientparams.path.md)
+
+## AssistantAPIClientParams.path property
+
+<b>Signature:</b>
+
+```typescript
+path: '/_migration/assistance';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authenticated.md b/docs/development/core/server/kibana-plugin-server.authenticated.md
index d955f1f32f1f7..aeb526bc3552b 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticated.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md)
-
-## Authenticated interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface Authenticated extends AuthResultParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.authenticated.type.md) | <code>AuthResultType.authenticated</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md)
+
+## Authenticated interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface Authenticated extends AuthResultParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.authenticated.type.md) | <code>AuthResultType.authenticated</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authenticated.type.md b/docs/development/core/server/kibana-plugin-server.authenticated.type.md
index 08a73e812d157..a432fad9d5730 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticated.type.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticated.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md) &gt; [type](./kibana-plugin-server.authenticated.type.md)
-
-## Authenticated.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AuthResultType.authenticated;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md) &gt; [type](./kibana-plugin-server.authenticated.type.md)
+
+## Authenticated.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AuthResultType.authenticated;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authenticationhandler.md b/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
index ff60e6e811ed6..ed5eb6bc5e36d 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)
-
-## AuthenticationHandler type
-
-See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthenticationHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: AuthToolkit) => AuthResult | IKibanaResponse | Promise<AuthResult | IKibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)
+
+## AuthenticationHandler type
+
+See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthenticationHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: AuthToolkit) => AuthResult | IKibanaResponse | Promise<AuthResult | IKibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authheaders.md b/docs/development/core/server/kibana-plugin-server.authheaders.md
index bdb7cda2fa304..7540157926edc 100644
--- a/docs/development/core/server/kibana-plugin-server.authheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthHeaders](./kibana-plugin-server.authheaders.md)
-
-## AuthHeaders type
-
-Auth Headers map
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthHeaders = Record<string, string | string[]>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthHeaders](./kibana-plugin-server.authheaders.md)
+
+## AuthHeaders type
+
+Auth Headers map
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthHeaders = Record<string, string | string[]>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresult.md b/docs/development/core/server/kibana-plugin-server.authresult.md
index 5d1bdbc8e7118..8739c4899bd02 100644
--- a/docs/development/core/server/kibana-plugin-server.authresult.md
+++ b/docs/development/core/server/kibana-plugin-server.authresult.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResult](./kibana-plugin-server.authresult.md)
-
-## AuthResult type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthResult = Authenticated;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResult](./kibana-plugin-server.authresult.md)
+
+## AuthResult type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthResult = Authenticated;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.md b/docs/development/core/server/kibana-plugin-server.authresultparams.md
index b098fe278d850..55b247f21f5a9 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md)
-
-## AuthResultParams interface
-
-Result of an incoming request authentication.
-
-<b>Signature:</b>
-
-```typescript
-export interface AuthResultParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user. |
-|  [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed. |
-|  [state](./kibana-plugin-server.authresultparams.state.md) | <code>Record&lt;string, any&gt;</code> | Data to associate with an incoming request. Any downstream plugin may get access to the data. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md)
+
+## AuthResultParams interface
+
+Result of an incoming request authentication.
+
+<b>Signature:</b>
+
+```typescript
+export interface AuthResultParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user. |
+|  [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed. |
+|  [state](./kibana-plugin-server.authresultparams.state.md) | <code>Record&lt;string, any&gt;</code> | Data to associate with an incoming request. Any downstream plugin may get access to the data. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md b/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
index 0fda032b64f98..a30f630de27cc 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md)
-
-## AuthResultParams.requestHeaders property
-
-Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user.
-
-<b>Signature:</b>
-
-```typescript
-requestHeaders?: AuthHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md)
+
+## AuthResultParams.requestHeaders property
+
+Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user.
+
+<b>Signature:</b>
+
+```typescript
+requestHeaders?: AuthHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md b/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
index c14feb25801d1..112c1277bbbed 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md)
-
-## AuthResultParams.responseHeaders property
-
-Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed.
-
-<b>Signature:</b>
-
-```typescript
-responseHeaders?: AuthHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md)
+
+## AuthResultParams.responseHeaders property
+
+Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed.
+
+<b>Signature:</b>
+
+```typescript
+responseHeaders?: AuthHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.state.md b/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
index 8ca3da20a9c22..085cbe0c3c3fa 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [state](./kibana-plugin-server.authresultparams.state.md)
-
-## AuthResultParams.state property
-
-Data to associate with an incoming request. Any downstream plugin may get access to the data.
-
-<b>Signature:</b>
-
-```typescript
-state?: Record<string, any>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [state](./kibana-plugin-server.authresultparams.state.md)
+
+## AuthResultParams.state property
+
+Data to associate with an incoming request. Any downstream plugin may get access to the data.
+
+<b>Signature:</b>
+
+```typescript
+state?: Record<string, any>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresulttype.md b/docs/development/core/server/kibana-plugin-server.authresulttype.md
index e8962cb14d198..61a98ee5e7b11 100644
--- a/docs/development/core/server/kibana-plugin-server.authresulttype.md
+++ b/docs/development/core/server/kibana-plugin-server.authresulttype.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultType](./kibana-plugin-server.authresulttype.md)
-
-## AuthResultType enum
-
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AuthResultType 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  authenticated | <code>&quot;authenticated&quot;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultType](./kibana-plugin-server.authresulttype.md)
+
+## AuthResultType enum
+
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AuthResultType 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  authenticated | <code>&quot;authenticated&quot;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authstatus.md b/docs/development/core/server/kibana-plugin-server.authstatus.md
index e59ade4f73e38..eb350c794d6d6 100644
--- a/docs/development/core/server/kibana-plugin-server.authstatus.md
+++ b/docs/development/core/server/kibana-plugin-server.authstatus.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthStatus](./kibana-plugin-server.authstatus.md)
-
-## AuthStatus enum
-
-Status indicating an outcome of the authentication.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AuthStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  authenticated | <code>&quot;authenticated&quot;</code> | <code>auth</code> interceptor successfully authenticated a user |
-|  unauthenticated | <code>&quot;unauthenticated&quot;</code> | <code>auth</code> interceptor failed user authentication |
-|  unknown | <code>&quot;unknown&quot;</code> | <code>auth</code> interceptor has not been registered |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthStatus](./kibana-plugin-server.authstatus.md)
+
+## AuthStatus enum
+
+Status indicating an outcome of the authentication.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AuthStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  authenticated | <code>&quot;authenticated&quot;</code> | <code>auth</code> interceptor successfully authenticated a user |
+|  unauthenticated | <code>&quot;unauthenticated&quot;</code> | <code>auth</code> interceptor failed user authentication |
+|  unknown | <code>&quot;unknown&quot;</code> | <code>auth</code> interceptor has not been registered |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md b/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
index 54d78c840ed5a..47ba021602b22 100644
--- a/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md) &gt; [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md)
-
-## AuthToolkit.authenticated property
-
-Authentication is successful with given credentials, allow request to pass through
-
-<b>Signature:</b>
-
-```typescript
-authenticated: (data?: AuthResultParams) => AuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md) &gt; [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md)
+
+## AuthToolkit.authenticated property
+
+Authentication is successful with given credentials, allow request to pass through
+
+<b>Signature:</b>
+
+```typescript
+authenticated: (data?: AuthResultParams) => AuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authtoolkit.md b/docs/development/core/server/kibana-plugin-server.authtoolkit.md
index 0c030ddce4ec3..bc7003c5a68f3 100644
--- a/docs/development/core/server/kibana-plugin-server.authtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.authtoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md)
-
-## AuthToolkit interface
-
-A tool set defining an outcome of Auth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface AuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md) | <code>(data?: AuthResultParams) =&gt; AuthResult</code> | Authentication is successful with given credentials, allow request to pass through |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md)
+
+## AuthToolkit interface
+
+A tool set defining an outcome of Auth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface AuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md) | <code>(data?: AuthResultParams) =&gt; AuthResult</code> | Authentication is successful with given credentials, allow request to pass through |
+
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.get.md b/docs/development/core/server/kibana-plugin-server.basepath.get.md
index a20bc1a4e3174..4dbbb1e5bd7a3 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.get.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [get](./kibana-plugin-server.basepath.get.md)
-
-## BasePath.get property
-
-returns `basePath` value, specific for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-get: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [get](./kibana-plugin-server.basepath.get.md)
+
+## BasePath.get property
+
+returns `basePath` value, specific for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+get: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.md b/docs/development/core/server/kibana-plugin-server.basepath.md
index 63aeb7f711d97..d7ee8e5d12e65 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md)
-
-## BasePath class
-
-Access or manipulate the Kibana base path
-
-<b>Signature:</b>
-
-```typescript
-export declare class BasePath 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `BasePath` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [get](./kibana-plugin-server.basepath.get.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;) =&gt; string</code> | returns <code>basePath</code> value, specific for an incoming request. |
-|  [prepend](./kibana-plugin-server.basepath.prepend.md) |  | <code>(path: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
-|  [remove](./kibana-plugin-server.basepath.remove.md) |  | <code>(path: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
-|  [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md) |  | <code>string</code> | returns the server's basePath<!-- -->See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request |
-|  [set](./kibana-plugin-server.basepath.set.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;, requestSpecificBasePath: string) =&gt; void</code> | sets <code>basePath</code> value, specific for an incoming request. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md)
+
+## BasePath class
+
+Access or manipulate the Kibana base path
+
+<b>Signature:</b>
+
+```typescript
+export declare class BasePath 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `BasePath` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [get](./kibana-plugin-server.basepath.get.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;) =&gt; string</code> | returns <code>basePath</code> value, specific for an incoming request. |
+|  [prepend](./kibana-plugin-server.basepath.prepend.md) |  | <code>(path: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
+|  [remove](./kibana-plugin-server.basepath.remove.md) |  | <code>(path: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
+|  [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md) |  | <code>string</code> | returns the server's basePath<!-- -->See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request |
+|  [set](./kibana-plugin-server.basepath.set.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;, requestSpecificBasePath: string) =&gt; void</code> | sets <code>basePath</code> value, specific for an incoming request. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.prepend.md b/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
index 9a615dfe80f32..17f3b8bf80e61 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [prepend](./kibana-plugin-server.basepath.prepend.md)
-
-## BasePath.prepend property
-
-Prepends `path` with the basePath.
-
-<b>Signature:</b>
-
-```typescript
-prepend: (path: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [prepend](./kibana-plugin-server.basepath.prepend.md)
+
+## BasePath.prepend property
+
+Prepends `path` with the basePath.
+
+<b>Signature:</b>
+
+```typescript
+prepend: (path: string) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.remove.md b/docs/development/core/server/kibana-plugin-server.basepath.remove.md
index 8fcfbc2b921d3..25844682623e3 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.remove.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [remove](./kibana-plugin-server.basepath.remove.md)
-
-## BasePath.remove property
-
-Removes the prepended basePath from the `path`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-remove: (path: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [remove](./kibana-plugin-server.basepath.remove.md)
+
+## BasePath.remove property
+
+Removes the prepended basePath from the `path`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+remove: (path: string) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md b/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
index d7e45a92dba6d..35a3b67de7a73 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md)
-
-## BasePath.serverBasePath property
-
-returns the server's basePath
-
-See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request
-
-<b>Signature:</b>
-
-```typescript
-readonly serverBasePath: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md)
+
+## BasePath.serverBasePath property
+
+returns the server's basePath
+
+See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request
+
+<b>Signature:</b>
+
+```typescript
+readonly serverBasePath: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.set.md b/docs/development/core/server/kibana-plugin-server.basepath.set.md
index ac08baa0bb99e..479a96aa0347c 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.set.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [set](./kibana-plugin-server.basepath.set.md)
-
-## BasePath.set property
-
-sets `basePath` value, specific for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-set: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>, requestSpecificBasePath: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [set](./kibana-plugin-server.basepath.set.md)
+
+## BasePath.set property
+
+sets `basePath` value, specific for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+set: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>, requestSpecificBasePath: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.md b/docs/development/core/server/kibana-plugin-server.callapioptions.md
index ffdf638b236bb..4a73e5631a71c 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md)
-
-## CallAPIOptions interface
-
-The set of options that defines how API call should be made and result be processed.
-
-<b>Signature:</b>
-
-```typescript
-export interface CallAPIOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [signal](./kibana-plugin-server.callapioptions.signal.md) | <code>AbortSignal</code> | A signal object that allows you to abort the request via an AbortController object. |
-|  [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md) | <code>boolean</code> | Indicates whether <code>401 Unauthorized</code> errors returned from the Elasticsearch API should be wrapped into <code>Boom</code> error instances with properly set <code>WWW-Authenticate</code> header that could have been returned by the API itself. If API didn't specify that then <code>Basic realm=&quot;Authorization Required&quot;</code> is used as <code>WWW-Authenticate</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md)
+
+## CallAPIOptions interface
+
+The set of options that defines how API call should be made and result be processed.
+
+<b>Signature:</b>
+
+```typescript
+export interface CallAPIOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [signal](./kibana-plugin-server.callapioptions.signal.md) | <code>AbortSignal</code> | A signal object that allows you to abort the request via an AbortController object. |
+|  [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md) | <code>boolean</code> | Indicates whether <code>401 Unauthorized</code> errors returned from the Elasticsearch API should be wrapped into <code>Boom</code> error instances with properly set <code>WWW-Authenticate</code> header that could have been returned by the API itself. If API didn't specify that then <code>Basic realm=&quot;Authorization Required&quot;</code> is used as <code>WWW-Authenticate</code>. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md b/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
index 402ed0ca8e34c..a442da87e590f 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [signal](./kibana-plugin-server.callapioptions.signal.md)
-
-## CallAPIOptions.signal property
-
-A signal object that allows you to abort the request via an AbortController object.
-
-<b>Signature:</b>
-
-```typescript
-signal?: AbortSignal;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [signal](./kibana-plugin-server.callapioptions.signal.md)
+
+## CallAPIOptions.signal property
+
+A signal object that allows you to abort the request via an AbortController object.
+
+<b>Signature:</b>
+
+```typescript
+signal?: AbortSignal;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md b/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
index 296d769533950..6544fa482c57f 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md)
-
-## CallAPIOptions.wrap401Errors property
-
-Indicates whether `401 Unauthorized` errors returned from the Elasticsearch API should be wrapped into `Boom` error instances with properly set `WWW-Authenticate` header that could have been returned by the API itself. If API didn't specify that then `Basic realm="Authorization Required"` is used as `WWW-Authenticate`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-wrap401Errors?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md)
+
+## CallAPIOptions.wrap401Errors property
+
+Indicates whether `401 Unauthorized` errors returned from the Elasticsearch API should be wrapped into `Boom` error instances with properly set `WWW-Authenticate` header that could have been returned by the API itself. If API didn't specify that then `Basic realm="Authorization Required"` is used as `WWW-Authenticate`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+wrap401Errors?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md b/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
index 4eb012c78f0cb..92224b47c136c 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [catalogue](./kibana-plugin-server.capabilities.catalogue.md)
-
-## Capabilities.catalogue property
-
-Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
-
-<b>Signature:</b>
-
-```typescript
-catalogue: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [catalogue](./kibana-plugin-server.capabilities.catalogue.md)
+
+## Capabilities.catalogue property
+
+Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
+
+<b>Signature:</b>
+
+```typescript
+catalogue: Record<string, boolean>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.management.md b/docs/development/core/server/kibana-plugin-server.capabilities.management.md
index d917c81dc3720..d995324a6d732 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.management.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.management.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [management](./kibana-plugin-server.capabilities.management.md)
-
-## Capabilities.management property
-
-Management section capabilities.
-
-<b>Signature:</b>
-
-```typescript
-management: {
-        [sectionId: string]: Record<string, boolean>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [management](./kibana-plugin-server.capabilities.management.md)
+
+## Capabilities.management property
+
+Management section capabilities.
+
+<b>Signature:</b>
+
+```typescript
+management: {
+        [sectionId: string]: Record<string, boolean>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.md b/docs/development/core/server/kibana-plugin-server.capabilities.md
index 031282b9733ac..586b3cac05b19 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md)
-
-## Capabilities interface
-
-The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
-
-<b>Signature:</b>
-
-```typescript
-export interface Capabilities 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [catalogue](./kibana-plugin-server.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
-|  [management](./kibana-plugin-server.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
-|  [navLinks](./kibana-plugin-server.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md)
+
+## Capabilities interface
+
+The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
+
+<b>Signature:</b>
+
+```typescript
+export interface Capabilities 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [catalogue](./kibana-plugin-server.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
+|  [management](./kibana-plugin-server.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
+|  [navLinks](./kibana-plugin-server.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md b/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
index a1612ea840fbf..85287852efc6b 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [navLinks](./kibana-plugin-server.capabilities.navlinks.md)
-
-## Capabilities.navLinks property
-
-Navigation link capabilities.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [navLinks](./kibana-plugin-server.capabilities.navlinks.md)
+
+## Capabilities.navLinks property
+
+Navigation link capabilities.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: Record<string, boolean>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md b/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
index 66e5d256ada66..a03cbab7e621d 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md)
-
-## CapabilitiesProvider type
-
-See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type CapabilitiesProvider = () => Partial<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md)
+
+## CapabilitiesProvider type
+
+See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type CapabilitiesProvider = () => Partial<Capabilities>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
index 27c42fe75e751..53153b2bbb887 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-## CapabilitiesSetup interface
-
-APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.
-
-Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the `registerProvider` method.
-
-Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the `registerSwitcher` method.
-
-Refers to the methods documentation for complete description and examples.
-
-<b>Signature:</b>
-
-```typescript
-export interface CapabilitiesSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [registerProvider(provider)](./kibana-plugin-server.capabilitiessetup.registerprovider.md) | Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them. |
-|  [registerSwitcher(switcher)](./kibana-plugin-server.capabilitiessetup.registerswitcher.md) | Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.<!-- -->A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+## CapabilitiesSetup interface
+
+APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.
+
+Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the `registerProvider` method.
+
+Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the `registerSwitcher` method.
+
+Refers to the methods documentation for complete description and examples.
+
+<b>Signature:</b>
+
+```typescript
+export interface CapabilitiesSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [registerProvider(provider)](./kibana-plugin-server.capabilitiessetup.registerprovider.md) | Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them. |
+|  [registerSwitcher(switcher)](./kibana-plugin-server.capabilitiessetup.registerswitcher.md) | Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.<!-- -->A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
index 750913ee35895..c0e7fa50eb91d 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
@@ -1,46 +1,46 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerProvider](./kibana-plugin-server.capabilitiessetup.registerprovider.md)
-
-## CapabilitiesSetup.registerProvider() method
-
-Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them.
-
-<b>Signature:</b>
-
-```typescript
-registerProvider(provider: CapabilitiesProvider): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  provider | <code>CapabilitiesProvider</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to register a plugin's capabilities during setup
-
-```ts
-// my-plugin/server/plugin.ts
-public setup(core: CoreSetup, deps: {}) {
-   core.capabilities.registerProvider(() => {
-     return {
-       catalogue: {
-         myPlugin: true,
-       },
-       myPlugin: {
-         someFeature: true,
-         featureDisabledByDefault: false,
-       },
-     }
-   });
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerProvider](./kibana-plugin-server.capabilitiessetup.registerprovider.md)
+
+## CapabilitiesSetup.registerProvider() method
+
+Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them.
+
+<b>Signature:</b>
+
+```typescript
+registerProvider(provider: CapabilitiesProvider): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  provider | <code>CapabilitiesProvider</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to register a plugin's capabilities during setup
+
+```ts
+// my-plugin/server/plugin.ts
+public setup(core: CoreSetup, deps: {}) {
+   core.capabilities.registerProvider(() => {
+     return {
+       catalogue: {
+         myPlugin: true,
+       },
+       myPlugin: {
+         someFeature: true,
+         featureDisabledByDefault: false,
+       },
+     }
+   });
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
index fbaa2959c635c..948d256e9aa73 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
@@ -1,47 +1,47 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerSwitcher](./kibana-plugin-server.capabilitiessetup.registerswitcher.md)
-
-## CapabilitiesSetup.registerSwitcher() method
-
-Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.
-
-A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored.
-
-<b>Signature:</b>
-
-```typescript
-registerSwitcher(switcher: CapabilitiesSwitcher): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  switcher | <code>CapabilitiesSwitcher</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to restrict some capabilities
-
-```ts
-// my-plugin/server/plugin.ts
-public setup(core: CoreSetup, deps: {}) {
-   core.capabilities.registerSwitcher((request, capabilities) => {
-     if(myPluginApi.shouldRestrictSomePluginBecauseOf(request)) {
-       return {
-         somePlugin: {
-           featureEnabledByDefault: false // `featureEnabledByDefault` will be disabled. All other capabilities will remain unchanged.
-         }
-       }
-     }
-     return {}; // All capabilities will remain unchanged.
-   });
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerSwitcher](./kibana-plugin-server.capabilitiessetup.registerswitcher.md)
+
+## CapabilitiesSetup.registerSwitcher() method
+
+Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.
+
+A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored.
+
+<b>Signature:</b>
+
+```typescript
+registerSwitcher(switcher: CapabilitiesSwitcher): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  switcher | <code>CapabilitiesSwitcher</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to restrict some capabilities
+
+```ts
+// my-plugin/server/plugin.ts
+public setup(core: CoreSetup, deps: {}) {
+   core.capabilities.registerSwitcher((request, capabilities) => {
+     if(myPluginApi.shouldRestrictSomePluginBecauseOf(request)) {
+       return {
+         somePlugin: {
+           featureEnabledByDefault: false // `featureEnabledByDefault` will be disabled. All other capabilities will remain unchanged.
+         }
+       }
+     }
+     return {}; // All capabilities will remain unchanged.
+   });
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
index 55cc1aed76b5b..1f6eda9dcb392 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
-
-## CapabilitiesStart interface
-
-APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface CapabilitiesStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [resolveCapabilities(request)](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md) | Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
+
+## CapabilitiesStart interface
+
+APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface CapabilitiesStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [resolveCapabilities(request)](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md) | Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
index 95b751dd4fc95..43b6f6059eb0d 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) &gt; [resolveCapabilities](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md)
-
-## CapabilitiesStart.resolveCapabilities() method
-
-Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request
-
-<b>Signature:</b>
-
-```typescript
-resolveCapabilities(request: KibanaRequest): Promise<Capabilities>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>KibanaRequest</code> |  |
-
-<b>Returns:</b>
-
-`Promise<Capabilities>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) &gt; [resolveCapabilities](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md)
+
+## CapabilitiesStart.resolveCapabilities() method
+
+Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request
+
+<b>Signature:</b>
+
+```typescript
+resolveCapabilities(request: KibanaRequest): Promise<Capabilities>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>KibanaRequest</code> |  |
+
+<b>Returns:</b>
+
+`Promise<Capabilities>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md b/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
index dd6af54376896..5e5a5c63ae341 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md)
-
-## CapabilitiesSwitcher type
-
-See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type CapabilitiesSwitcher = (request: KibanaRequest, uiCapabilities: Capabilities) => Partial<Capabilities> | Promise<Partial<Capabilities>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md)
+
+## CapabilitiesSwitcher type
+
+See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type CapabilitiesSwitcher = (request: KibanaRequest, uiCapabilities: Capabilities) => Partial<Capabilities> | Promise<Partial<Capabilities>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md b/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
index 252991affbc3c..5b76a0e43317e 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [(constructor)](./kibana-plugin-server.clusterclient._constructor_.md)
-
-## ClusterClient.(constructor)
-
-Constructs a new instance of the `ClusterClient` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(config: ElasticsearchClientConfig, log: Logger, getAuthHeaders?: GetAuthHeaders);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  config | <code>ElasticsearchClientConfig</code> |  |
-|  log | <code>Logger</code> |  |
-|  getAuthHeaders | <code>GetAuthHeaders</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [(constructor)](./kibana-plugin-server.clusterclient._constructor_.md)
+
+## ClusterClient.(constructor)
+
+Constructs a new instance of the `ClusterClient` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(config: ElasticsearchClientConfig, log: Logger, getAuthHeaders?: GetAuthHeaders);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  config | <code>ElasticsearchClientConfig</code> |  |
+|  log | <code>Logger</code> |  |
+|  getAuthHeaders | <code>GetAuthHeaders</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md b/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
index bb1f481c9ef4f..594a05e8dfe2e 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [asScoped](./kibana-plugin-server.clusterclient.asscoped.md)
-
-## ClusterClient.asScoped() method
-
-Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional `callAsCurrentUser` method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed.
-
-<b>Signature:</b>
-
-```typescript
-asScoped(request?: ScopeableRequest): IScopedClusterClient;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>ScopeableRequest</code> | Request the <code>IScopedClusterClient</code> instance will be scoped to. Supports request optionality, Legacy.Request &amp; FakeRequest for BWC with LegacyPlatform |
-
-<b>Returns:</b>
-
-`IScopedClusterClient`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [asScoped](./kibana-plugin-server.clusterclient.asscoped.md)
+
+## ClusterClient.asScoped() method
+
+Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional `callAsCurrentUser` method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed.
+
+<b>Signature:</b>
+
+```typescript
+asScoped(request?: ScopeableRequest): IScopedClusterClient;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>ScopeableRequest</code> | Request the <code>IScopedClusterClient</code> instance will be scoped to. Supports request optionality, Legacy.Request &amp; FakeRequest for BWC with LegacyPlatform |
+
+<b>Returns:</b>
+
+`IScopedClusterClient`
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md b/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
index 7afb6afa4bc3b..263bb6308f471 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md)
-
-## ClusterClient.callAsInternalUser property
-
-Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsInternalUser: APICaller;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md)
+
+## ClusterClient.callAsInternalUser property
+
+Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsInternalUser: APICaller;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.close.md b/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
index 6030f4372e8e0..7b0efb9c0b2e9 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [close](./kibana-plugin-server.clusterclient.close.md)
-
-## ClusterClient.close() method
-
-Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API.
-
-<b>Signature:</b>
-
-```typescript
-close(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [close](./kibana-plugin-server.clusterclient.close.md)
+
+## ClusterClient.close() method
+
+Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API.
+
+<b>Signature:</b>
+
+```typescript
+close(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.md b/docs/development/core/server/kibana-plugin-server.clusterclient.md
index d547b846e65b7..65c6c33304d33 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md)
-
-## ClusterClient class
-
-Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ClusterClient implements IClusterClient 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(config, log, getAuthHeaders)](./kibana-plugin-server.clusterclient._constructor_.md) |  | Constructs a new instance of the <code>ClusterClient</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md) |  | <code>APICaller</code> | Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [asScoped(request)](./kibana-plugin-server.clusterclient.asscoped.md) |  | Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional <code>callAsCurrentUser</code> method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed. |
-|  [close()](./kibana-plugin-server.clusterclient.close.md) |  | Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md)
+
+## ClusterClient class
+
+Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ClusterClient implements IClusterClient 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(config, log, getAuthHeaders)](./kibana-plugin-server.clusterclient._constructor_.md) |  | Constructs a new instance of the <code>ClusterClient</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md) |  | <code>APICaller</code> | Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [asScoped(request)](./kibana-plugin-server.clusterclient.asscoped.md) |  | Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional <code>callAsCurrentUser</code> method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed. |
+|  [close()](./kibana-plugin-server.clusterclient.close.md) |  | Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecation.md b/docs/development/core/server/kibana-plugin-server.configdeprecation.md
index ba7e40b8dc624..772a52f5b9264 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecation.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecation.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
-
-## ConfigDeprecation type
-
-Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecation = (config: Record<string, any>, fromPath: string, logger: ConfigDeprecationLogger) => Record<string, any>;
-```
-
-## Remarks
-
-This should only be manually implemented if [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) does not provide the proper helpers for a specific deprecation need.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
+
+## ConfigDeprecation type
+
+Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecation = (config: Record<string, any>, fromPath: string, logger: ConfigDeprecationLogger) => Record<string, any>;
+```
+
+## Remarks
+
+This should only be manually implemented if [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) does not provide the proper helpers for a specific deprecation need.
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
index 0302797147cff..c61907f366301 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md)
-
-## ConfigDeprecationFactory interface
-
-Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.
-
-See methods documentation for more detailed examples.
-
-<b>Signature:</b>
-
-```typescript
-export interface ConfigDeprecationFactory 
-```
-
-## Example
-
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
-  rename('oldKey', 'newKey'),
-  unused('deprecatedKey'),
-]
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [rename(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.rename.md) | Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied. |
-|  [renameFromRoot(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md) | Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.<!-- -->This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead. |
-|  [unused(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unused.md) | Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied. |
-|  [unusedFromRoot(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md) | Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.<!-- -->This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md)
+
+## ConfigDeprecationFactory interface
+
+Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.
+
+See methods documentation for more detailed examples.
+
+<b>Signature:</b>
+
+```typescript
+export interface ConfigDeprecationFactory 
+```
+
+## Example
+
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
+  rename('oldKey', 'newKey'),
+  unused('deprecatedKey'),
+]
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [rename(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.rename.md) | Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied. |
+|  [renameFromRoot(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md) | Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.<!-- -->This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead. |
+|  [unused(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unused.md) | Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied. |
+|  [unusedFromRoot(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md) | Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.<!-- -->This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
index 5bbbad763c545..6d7ea00b3cab1 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [rename](./kibana-plugin-server.configdeprecationfactory.rename.md)
-
-## ConfigDeprecationFactory.rename() method
-
-Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied.
-
-<b>Signature:</b>
-
-```typescript
-rename(oldKey: string, newKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  oldKey | <code>string</code> |  |
-|  newKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Rename 'myplugin.oldKey' to 'myplugin.newKey'
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename }) => [
-  rename('oldKey', 'newKey'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [rename](./kibana-plugin-server.configdeprecationfactory.rename.md)
+
+## ConfigDeprecationFactory.rename() method
+
+Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied.
+
+<b>Signature:</b>
+
+```typescript
+rename(oldKey: string, newKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  oldKey | <code>string</code> |  |
+|  newKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Rename 'myplugin.oldKey' to 'myplugin.newKey'
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename }) => [
+  rename('oldKey', 'newKey'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
index d35ba25256fa1..269f242ec35da 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
@@ -1,38 +1,38 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [renameFromRoot](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md)
-
-## ConfigDeprecationFactory.renameFromRoot() method
-
-Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.
-
-This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead.
-
-<b>Signature:</b>
-
-```typescript
-renameFromRoot(oldKey: string, newKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  oldKey | <code>string</code> |  |
-|  newKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Rename 'oldplugin.key' to 'newplugin.key'
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ renameFromRoot }) => [
-  renameFromRoot('oldplugin.key', 'newplugin.key'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [renameFromRoot](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md)
+
+## ConfigDeprecationFactory.renameFromRoot() method
+
+Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.
+
+This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead.
+
+<b>Signature:</b>
+
+```typescript
+renameFromRoot(oldKey: string, newKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  oldKey | <code>string</code> |  |
+|  newKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Rename 'oldplugin.key' to 'newplugin.key'
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ renameFromRoot }) => [
+  renameFromRoot('oldplugin.key', 'newplugin.key'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
index 0381480e84c4d..87576936607d7 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unused](./kibana-plugin-server.configdeprecationfactory.unused.md)
-
-## ConfigDeprecationFactory.unused() method
-
-Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied.
-
-<b>Signature:</b>
-
-```typescript
-unused(unusedKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  unusedKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Flags 'myplugin.deprecatedKey' as unused
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ unused }) => [
-  unused('deprecatedKey'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unused](./kibana-plugin-server.configdeprecationfactory.unused.md)
+
+## ConfigDeprecationFactory.unused() method
+
+Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied.
+
+<b>Signature:</b>
+
+```typescript
+unused(unusedKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  unusedKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Flags 'myplugin.deprecatedKey' as unused
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ unused }) => [
+  unused('deprecatedKey'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
index ed37638b07375..f7d81a010f812 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unusedFromRoot](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md)
-
-## ConfigDeprecationFactory.unusedFromRoot() method
-
-Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.
-
-This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead.
-
-<b>Signature:</b>
-
-```typescript
-unusedFromRoot(unusedKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  unusedKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Flags 'somepath.deprecatedProperty' as unused
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ unusedFromRoot }) => [
-  unusedFromRoot('somepath.deprecatedProperty'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unusedFromRoot](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md)
+
+## ConfigDeprecationFactory.unusedFromRoot() method
+
+Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.
+
+This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead.
+
+<b>Signature:</b>
+
+```typescript
+unusedFromRoot(unusedKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  unusedKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Flags 'somepath.deprecatedProperty' as unused
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ unusedFromRoot }) => [
+  unusedFromRoot('somepath.deprecatedProperty'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md b/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
index d2bb2a4e441b3..f3d6303a9f0d7 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md)
-
-## ConfigDeprecationLogger type
-
-Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecationLogger = (message: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md)
+
+## ConfigDeprecationLogger type
+
+Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecationLogger = (message: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md b/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
index f5da9e9452bb5..5d0619ef9e171 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)
-
-## ConfigDeprecationProvider type
-
-A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.
-
-See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecationProvider = (factory: ConfigDeprecationFactory) => ConfigDeprecation[];
-```
-
-## Example
-
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
-  rename('oldKey', 'newKey'),
-  unused('deprecatedKey'),
-  myCustomDeprecation,
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)
+
+## ConfigDeprecationProvider type
+
+A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.
+
+See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecationProvider = (factory: ConfigDeprecationFactory) => ConfigDeprecation[];
+```
+
+## Example
+
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
+  rename('oldKey', 'newKey'),
+  unused('deprecatedKey'),
+  myCustomDeprecation,
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configpath.md b/docs/development/core/server/kibana-plugin-server.configpath.md
index 674769115b181..684e4c33d3c3b 100644
--- a/docs/development/core/server/kibana-plugin-server.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.configpath.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigPath](./kibana-plugin-server.configpath.md)
-
-## ConfigPath type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigPath = string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigPath](./kibana-plugin-server.configpath.md)
+
+## ConfigPath type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigPath = string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md b/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
index 7096bfc43a520..323c131f2e9a8 100644
--- a/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-server.contextsetup.createcontextcontainer.md)
-
-## ContextSetup.createContextContainer() method
-
-Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner.
-
-<b>Signature:</b>
-
-```typescript
-createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
-```
-<b>Returns:</b>
-
-`IContextContainer<THandler>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-server.contextsetup.createcontextcontainer.md)
+
+## ContextSetup.createContextContainer() method
+
+Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner.
+
+<b>Signature:</b>
+
+```typescript
+createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
+```
+<b>Returns:</b>
+
+`IContextContainer<THandler>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.contextsetup.md b/docs/development/core/server/kibana-plugin-server.contextsetup.md
index 1b2a1e2f1b621..99d87c78ce57f 100644
--- a/docs/development/core/server/kibana-plugin-server.contextsetup.md
+++ b/docs/development/core/server/kibana-plugin-server.contextsetup.md
@@ -1,138 +1,138 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md)
-
-## ContextSetup interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface ContextSetup 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Example
-
-Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
-
-```ts
-export interface VizRenderContext {
-  core: {
-    i18n: I18nStart;
-    uiSettings: IUiSettingsClient;
-  }
-  [contextName: string]: unknown;
-}
-
-export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
-// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
-type BoundVizRenderer = (domElement: HTMLElement) => () => void;
-
-class VizRenderingPlugin {
-  private readonly contextContainer?: IContextContainer<VizRenderer>;
-  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
-        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
-    };
-  }
-
-  start(core) {
-    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
-    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
-      i18n: core.i18n,
-      uiSettings: core.uiSettings
-    }));
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-
-      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
-        if (!this.vizRenderer.has(renderMethod)) {
-          throw new Error(`Render method '${renderMethod}' has not been registered`);
-        }
-
-        // The handler can now be called directly with only an `HTMLElement` and will automatically
-        // have a new `context` object created and populated by the context container.
-        const handler = this.vizRenderers.get(renderMethod)
-        return handler(domElement);
-      }
-    };
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createContextContainer()](./kibana-plugin-server.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md)
+
+## ContextSetup interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface ContextSetup 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Example
+
+Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
+
+```ts
+export interface VizRenderContext {
+  core: {
+    i18n: I18nStart;
+    uiSettings: IUiSettingsClient;
+  }
+  [contextName: string]: unknown;
+}
+
+export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
+// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
+type BoundVizRenderer = (domElement: HTMLElement) => () => void;
+
+class VizRenderingPlugin {
+  private readonly contextContainer?: IContextContainer<VizRenderer>;
+  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
+        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
+    };
+  }
+
+  start(core) {
+    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
+    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
+      i18n: core.i18n,
+      uiSettings: core.uiSettings
+    }));
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+
+      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
+        if (!this.vizRenderer.has(renderMethod)) {
+          throw new Error(`Render method '${renderMethod}' has not been registered`);
+        }
+
+        // The handler can now be called directly with only an `HTMLElement` and will automatically
+        // have a new `context` object created and populated by the context container.
+        const handler = this.vizRenderers.get(renderMethod)
+        return handler(domElement);
+      }
+    };
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createContextContainer()](./kibana-plugin-server.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md b/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
index fe50347d97e3c..413a4155aeb31 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [capabilities](./kibana-plugin-server.coresetup.capabilities.md)
-
-## CoreSetup.capabilities property
-
-[CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-capabilities: CapabilitiesSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [capabilities](./kibana-plugin-server.coresetup.capabilities.md)
+
+## CoreSetup.capabilities property
+
+[CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+capabilities: CapabilitiesSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.context.md b/docs/development/core/server/kibana-plugin-server.coresetup.context.md
index 63c37eec70b05..0417203a92e23 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.context.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.context.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [context](./kibana-plugin-server.coresetup.context.md)
-
-## CoreSetup.context property
-
-[ContextSetup](./kibana-plugin-server.contextsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-context: ContextSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [context](./kibana-plugin-server.coresetup.context.md)
+
+## CoreSetup.context property
+
+[ContextSetup](./kibana-plugin-server.contextsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+context: ContextSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md b/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
index 9498e0223350d..0933487f5dcef 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md)
-
-## CoreSetup.elasticsearch property
-
-[ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-elasticsearch: ElasticsearchServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md)
+
+## CoreSetup.elasticsearch property
+
+[ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+elasticsearch: ElasticsearchServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md b/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
index 589529cf2a7f7..b05d28899f9d2 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [getStartServices](./kibana-plugin-server.coresetup.getstartservices.md)
-
-## CoreSetup.getStartServices() method
-
-Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->. This should only be used inside handlers registered during `setup` that will only be executed after `start` lifecycle.
-
-<b>Signature:</b>
-
-```typescript
-getStartServices(): Promise<[CoreStart, TPluginsStart]>;
-```
-<b>Returns:</b>
-
-`Promise<[CoreStart, TPluginsStart]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [getStartServices](./kibana-plugin-server.coresetup.getstartservices.md)
+
+## CoreSetup.getStartServices() method
+
+Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->. This should only be used inside handlers registered during `setup` that will only be executed after `start` lifecycle.
+
+<b>Signature:</b>
+
+```typescript
+getStartServices(): Promise<[CoreStart, TPluginsStart]>;
+```
+<b>Returns:</b>
+
+`Promise<[CoreStart, TPluginsStart]>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.http.md b/docs/development/core/server/kibana-plugin-server.coresetup.http.md
index 09b12bca7b275..cb77075ad1df6 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.http.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [http](./kibana-plugin-server.coresetup.http.md)
-
-## CoreSetup.http property
-
-[HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [http](./kibana-plugin-server.coresetup.http.md)
+
+## CoreSetup.http property
+
+[HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.md b/docs/development/core/server/kibana-plugin-server.coresetup.md
index 325f7216122b5..c36d649837e8a 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md)
-
-## CoreSetup interface
-
-Context passed to the plugins `setup` method.
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreSetup<TPluginsStart extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-server.coresetup.capabilities.md) | <code>CapabilitiesSetup</code> | [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [context](./kibana-plugin-server.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-server.contextsetup.md) |
-|  [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md) | <code>ElasticsearchServiceSetup</code> | [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |
-|  [http](./kibana-plugin-server.coresetup.http.md) | <code>HttpServiceSetup</code> | [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) |
-|  [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md) | <code>SavedObjectsServiceSetup</code> | [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) |
-|  [uiSettings](./kibana-plugin-server.coresetup.uisettings.md) | <code>UiSettingsServiceSetup</code> | [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |
-|  [uuid](./kibana-plugin-server.coresetup.uuid.md) | <code>UuidServiceSetup</code> | [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getStartServices()](./kibana-plugin-server.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. This should only be used inside handlers registered during <code>setup</code> that will only be executed after <code>start</code> lifecycle. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md)
+
+## CoreSetup interface
+
+Context passed to the plugins `setup` method.
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreSetup<TPluginsStart extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-server.coresetup.capabilities.md) | <code>CapabilitiesSetup</code> | [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [context](./kibana-plugin-server.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-server.contextsetup.md) |
+|  [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md) | <code>ElasticsearchServiceSetup</code> | [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |
+|  [http](./kibana-plugin-server.coresetup.http.md) | <code>HttpServiceSetup</code> | [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) |
+|  [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md) | <code>SavedObjectsServiceSetup</code> | [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) |
+|  [uiSettings](./kibana-plugin-server.coresetup.uisettings.md) | <code>UiSettingsServiceSetup</code> | [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |
+|  [uuid](./kibana-plugin-server.coresetup.uuid.md) | <code>UuidServiceSetup</code> | [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getStartServices()](./kibana-plugin-server.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. This should only be used inside handlers registered during <code>setup</code> that will only be executed after <code>start</code> lifecycle. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md b/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
index 96acc1ffce194..e19ec235608a4 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md)
-
-## CoreSetup.savedObjects property
-
-[SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md)
+
+## CoreSetup.savedObjects property
+
+[SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md b/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
index 54120d7c3fa8d..45c304a43fff6 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uiSettings](./kibana-plugin-server.coresetup.uisettings.md)
-
-## CoreSetup.uiSettings property
-
-[UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: UiSettingsServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uiSettings](./kibana-plugin-server.coresetup.uisettings.md)
+
+## CoreSetup.uiSettings property
+
+[UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: UiSettingsServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md b/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
index 2b9077735d8e3..45adf1262470d 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uuid](./kibana-plugin-server.coresetup.uuid.md)
-
-## CoreSetup.uuid property
-
-[UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-uuid: UuidServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uuid](./kibana-plugin-server.coresetup.uuid.md)
+
+## CoreSetup.uuid property
+
+[UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+uuid: UuidServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md b/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
index 03930d367ee75..937f5f76cd803 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [capabilities](./kibana-plugin-server.corestart.capabilities.md)
-
-## CoreStart.capabilities property
-
-[CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
-
-<b>Signature:</b>
-
-```typescript
-capabilities: CapabilitiesStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [capabilities](./kibana-plugin-server.corestart.capabilities.md)
+
+## CoreStart.capabilities property
+
+[CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
+
+<b>Signature:</b>
+
+```typescript
+capabilities: CapabilitiesStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.md b/docs/development/core/server/kibana-plugin-server.corestart.md
index 167c69d5fe329..0dd69f7b1494e 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md)
-
-## CoreStart interface
-
-Context passed to the plugins `start` method.
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-server.corestart.capabilities.md) | <code>CapabilitiesStart</code> | [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) |
-|  [savedObjects](./kibana-plugin-server.corestart.savedobjects.md) | <code>SavedObjectsServiceStart</code> | [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) |
-|  [uiSettings](./kibana-plugin-server.corestart.uisettings.md) | <code>UiSettingsServiceStart</code> | [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md)
+
+## CoreStart interface
+
+Context passed to the plugins `start` method.
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-server.corestart.capabilities.md) | <code>CapabilitiesStart</code> | [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) |
+|  [savedObjects](./kibana-plugin-server.corestart.savedobjects.md) | <code>SavedObjectsServiceStart</code> | [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) |
+|  [uiSettings](./kibana-plugin-server.corestart.uisettings.md) | <code>UiSettingsServiceStart</code> | [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |
+
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md b/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
index 531b04e9eed07..516dd3d9532d4 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [savedObjects](./kibana-plugin-server.corestart.savedobjects.md)
-
-## CoreStart.savedObjects property
-
-[SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsServiceStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [savedObjects](./kibana-plugin-server.corestart.savedobjects.md)
+
+## CoreStart.savedObjects property
+
+[SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsServiceStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md b/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
index 323e929f2918e..408a83585f01c 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [uiSettings](./kibana-plugin-server.corestart.uisettings.md)
-
-## CoreStart.uiSettings property
-
-[UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: UiSettingsServiceStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [uiSettings](./kibana-plugin-server.corestart.uisettings.md)
+
+## CoreStart.uiSettings property
+
+[UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: UiSettingsServiceStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.default.md b/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
index 56e6cf35cdd13..c031db6aa3749 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [DEFAULT](./kibana-plugin-server.cspconfig.default.md)
-
-## CspConfig.DEFAULT property
-
-<b>Signature:</b>
-
-```typescript
-static readonly DEFAULT: CspConfig;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [DEFAULT](./kibana-plugin-server.cspconfig.default.md)
+
+## CspConfig.DEFAULT property
+
+<b>Signature:</b>
+
+```typescript
+static readonly DEFAULT: CspConfig;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.header.md b/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
index e3a3d5d712a42..79c69d0ddb452 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [header](./kibana-plugin-server.cspconfig.header.md)
-
-## CspConfig.header property
-
-<b>Signature:</b>
-
-```typescript
-readonly header: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [header](./kibana-plugin-server.cspconfig.header.md)
+
+## CspConfig.header property
+
+<b>Signature:</b>
+
+```typescript
+readonly header: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.md b/docs/development/core/server/kibana-plugin-server.cspconfig.md
index 7e491cb0df912..b0cd248db6e40 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md)
-
-## CspConfig class
-
-CSP configuration for use in Kibana.
-
-<b>Signature:</b>
-
-```typescript
-export declare class CspConfig implements ICspConfig 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `CspConfig` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [DEFAULT](./kibana-plugin-server.cspconfig.default.md) | <code>static</code> | <code>CspConfig</code> |  |
-|  [header](./kibana-plugin-server.cspconfig.header.md) |  | <code>string</code> |  |
-|  [rules](./kibana-plugin-server.cspconfig.rules.md) |  | <code>string[]</code> |  |
-|  [strict](./kibana-plugin-server.cspconfig.strict.md) |  | <code>boolean</code> |  |
-|  [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md) |  | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md)
+
+## CspConfig class
+
+CSP configuration for use in Kibana.
+
+<b>Signature:</b>
+
+```typescript
+export declare class CspConfig implements ICspConfig 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `CspConfig` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [DEFAULT](./kibana-plugin-server.cspconfig.default.md) | <code>static</code> | <code>CspConfig</code> |  |
+|  [header](./kibana-plugin-server.cspconfig.header.md) |  | <code>string</code> |  |
+|  [rules](./kibana-plugin-server.cspconfig.rules.md) |  | <code>string[]</code> |  |
+|  [strict](./kibana-plugin-server.cspconfig.strict.md) |  | <code>boolean</code> |  |
+|  [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md) |  | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md b/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
index c5270c2375dc1..8110cf965386c 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [rules](./kibana-plugin-server.cspconfig.rules.md)
-
-## CspConfig.rules property
-
-<b>Signature:</b>
-
-```typescript
-readonly rules: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [rules](./kibana-plugin-server.cspconfig.rules.md)
+
+## CspConfig.rules property
+
+<b>Signature:</b>
+
+```typescript
+readonly rules: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md b/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
index 3ac48edd374c9..046ab8d8fd5f4 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [strict](./kibana-plugin-server.cspconfig.strict.md)
-
-## CspConfig.strict property
-
-<b>Signature:</b>
-
-```typescript
-readonly strict: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [strict](./kibana-plugin-server.cspconfig.strict.md)
+
+## CspConfig.strict property
+
+<b>Signature:</b>
+
+```typescript
+readonly strict: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md b/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
index 59d661593d940..b5ce89ccee33f 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md)
-
-## CspConfig.warnLegacyBrowsers property
-
-<b>Signature:</b>
-
-```typescript
-readonly warnLegacyBrowsers: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md)
+
+## CspConfig.warnLegacyBrowsers property
+
+<b>Signature:</b>
+
+```typescript
+readonly warnLegacyBrowsers: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
index 1a2282aae23a4..3de5c93438f10 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.customhttpresponseoptions.body.md)
-
-## CustomHttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.customhttpresponseoptions.body.md)
+
+## CustomHttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
index 93a36bfe59f5e..5cd2e6aa0795f 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md)
-
-## CustomHttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md)
+
+## CustomHttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
index 3e100f709c8c7..ef941a2e2bd63 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md)
-
-## CustomHttpResponseOptions interface
-
-HTTP response parameters for a response with adjustable status code.
-
-<b>Signature:</b>
-
-```typescript
-export interface CustomHttpResponseOptions<T extends HttpResponsePayload | ResponseError> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.customhttpresponseoptions.body.md) | <code>T</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-|  [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md)
+
+## CustomHttpResponseOptions interface
+
+HTTP response parameters for a response with adjustable status code.
+
+<b>Signature:</b>
+
+```typescript
+export interface CustomHttpResponseOptions<T extends HttpResponsePayload | ResponseError> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.customhttpresponseoptions.body.md) | <code>T</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+|  [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
index 5444ccd2ebb55..4fb6882275ad1 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md)
-
-## CustomHttpResponseOptions.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md)
+
+## CustomHttpResponseOptions.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
index 47af79ae464b2..4797758bf1f55 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md)
-
-## DeprecationAPIClientParams interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationAPIClientParams extends GenericParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.deprecationapiclientparams.method.md) | <code>'GET'</code> |  |
-|  [path](./kibana-plugin-server.deprecationapiclientparams.path.md) | <code>'/_migration/deprecations'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md)
+
+## DeprecationAPIClientParams interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationAPIClientParams extends GenericParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.deprecationapiclientparams.method.md) | <code>'GET'</code> |  |
+|  [path](./kibana-plugin-server.deprecationapiclientparams.path.md) | <code>'/_migration/deprecations'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
index 7b9364009923b..57107a03d10bb 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [method](./kibana-plugin-server.deprecationapiclientparams.method.md)
-
-## DeprecationAPIClientParams.method property
-
-<b>Signature:</b>
-
-```typescript
-method: 'GET';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [method](./kibana-plugin-server.deprecationapiclientparams.method.md)
+
+## DeprecationAPIClientParams.method property
+
+<b>Signature:</b>
+
+```typescript
+method: 'GET';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
index dbddedf75171d..f9dde4f08afa0 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [path](./kibana-plugin-server.deprecationapiclientparams.path.md)
-
-## DeprecationAPIClientParams.path property
-
-<b>Signature:</b>
-
-```typescript
-path: '/_migration/deprecations';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [path](./kibana-plugin-server.deprecationapiclientparams.path.md)
+
+## DeprecationAPIClientParams.path property
+
+<b>Signature:</b>
+
+```typescript
+path: '/_migration/deprecations';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
index 5af134100407c..74a0609dc8f5a 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md)
-
-## DeprecationAPIResponse.cluster\_settings property
-
-<b>Signature:</b>
-
-```typescript
-cluster_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md)
+
+## DeprecationAPIResponse.cluster\_settings property
+
+<b>Signature:</b>
+
+```typescript
+cluster_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
index c8d20c9696f63..f5989247d67ea 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md)
-
-## DeprecationAPIResponse.index\_settings property
-
-<b>Signature:</b>
-
-```typescript
-index_settings: IndexSettingsDeprecationInfo;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md)
+
+## DeprecationAPIResponse.index\_settings property
+
+<b>Signature:</b>
+
+```typescript
+index_settings: IndexSettingsDeprecationInfo;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
index 5a2954d10c161..f5d4017f10b5d 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md)
-
-## DeprecationAPIResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationAPIResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md) | <code>DeprecationInfo[]</code> |  |
-|  [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md) | <code>IndexSettingsDeprecationInfo</code> |  |
-|  [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md) | <code>DeprecationInfo[]</code> |  |
-|  [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md) | <code>DeprecationInfo[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md)
+
+## DeprecationAPIResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationAPIResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md) | <code>DeprecationInfo[]</code> |  |
+|  [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md) | <code>IndexSettingsDeprecationInfo</code> |  |
+|  [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md) | <code>DeprecationInfo[]</code> |  |
+|  [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md) | <code>DeprecationInfo[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
index 5a4e273df69a6..ca1a2feaf8ed9 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md)
-
-## DeprecationAPIResponse.ml\_settings property
-
-<b>Signature:</b>
-
-```typescript
-ml_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md)
+
+## DeprecationAPIResponse.ml\_settings property
+
+<b>Signature:</b>
+
+```typescript
+ml_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
index 5901c49d0edf1..7c4fd59269656 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md)
-
-## DeprecationAPIResponse.node\_settings property
-
-<b>Signature:</b>
-
-```typescript
-node_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md)
+
+## DeprecationAPIResponse.node\_settings property
+
+<b>Signature:</b>
+
+```typescript
+node_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
index 17dbeff942255..6c6913622191e 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [details](./kibana-plugin-server.deprecationinfo.details.md)
-
-## DeprecationInfo.details property
-
-<b>Signature:</b>
-
-```typescript
-details?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [details](./kibana-plugin-server.deprecationinfo.details.md)
+
+## DeprecationInfo.details property
+
+<b>Signature:</b>
+
+```typescript
+details?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
index 99b629bbbb8cc..03d3a4149af89 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [level](./kibana-plugin-server.deprecationinfo.level.md)
-
-## DeprecationInfo.level property
-
-<b>Signature:</b>
-
-```typescript
-level: MIGRATION_DEPRECATION_LEVEL;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [level](./kibana-plugin-server.deprecationinfo.level.md)
+
+## DeprecationInfo.level property
+
+<b>Signature:</b>
+
+```typescript
+level: MIGRATION_DEPRECATION_LEVEL;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
index c27f5d3404c22..252eec20d4a90 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md)
-
-## DeprecationInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [details](./kibana-plugin-server.deprecationinfo.details.md) | <code>string</code> |  |
-|  [level](./kibana-plugin-server.deprecationinfo.level.md) | <code>MIGRATION_DEPRECATION_LEVEL</code> |  |
-|  [message](./kibana-plugin-server.deprecationinfo.message.md) | <code>string</code> |  |
-|  [url](./kibana-plugin-server.deprecationinfo.url.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md)
+
+## DeprecationInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [details](./kibana-plugin-server.deprecationinfo.details.md) | <code>string</code> |  |
+|  [level](./kibana-plugin-server.deprecationinfo.level.md) | <code>MIGRATION_DEPRECATION_LEVEL</code> |  |
+|  [message](./kibana-plugin-server.deprecationinfo.message.md) | <code>string</code> |  |
+|  [url](./kibana-plugin-server.deprecationinfo.url.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
index f027ac83f3b6e..84b1bb05ce1a3 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [message](./kibana-plugin-server.deprecationinfo.message.md)
-
-## DeprecationInfo.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [message](./kibana-plugin-server.deprecationinfo.message.md)
+
+## DeprecationInfo.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
index 4fdc9d544b7ff..26a955cb5b24e 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [url](./kibana-plugin-server.deprecationinfo.url.md)
-
-## DeprecationInfo.url property
-
-<b>Signature:</b>
-
-```typescript
-url: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [url](./kibana-plugin-server.deprecationinfo.url.md)
+
+## DeprecationInfo.url property
+
+<b>Signature:</b>
+
+```typescript
+url: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
index 4296d0d229988..c0ef525834e64 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md)
-
-## DeprecationSettings.docLinksKey property
-
-Key to documentation links
-
-<b>Signature:</b>
-
-```typescript
-docLinksKey: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md)
+
+## DeprecationSettings.docLinksKey property
+
+Key to documentation links
+
+<b>Signature:</b>
+
+```typescript
+docLinksKey: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
index 64a654c1bcea8..3d93902fa7ad4 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md)
-
-## DeprecationSettings interface
-
-UiSettings deprecation field options.
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationSettings 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md) | <code>string</code> | Key to documentation links |
-|  [message](./kibana-plugin-server.deprecationsettings.message.md) | <code>string</code> | Deprecation message |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md)
+
+## DeprecationSettings interface
+
+UiSettings deprecation field options.
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationSettings 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md) | <code>string</code> | Key to documentation links |
+|  [message](./kibana-plugin-server.deprecationsettings.message.md) | <code>string</code> | Deprecation message |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
index ed52929c3551e..36825160368eb 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [message](./kibana-plugin-server.deprecationsettings.message.md)
-
-## DeprecationSettings.message property
-
-Deprecation message
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [message](./kibana-plugin-server.deprecationsettings.message.md)
+
+## DeprecationSettings.message property
+
+Deprecation message
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
index 4de20b9c6cccf..d909907c2e1d6 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [configPath](./kibana-plugin-server.discoveredplugin.configpath.md)
-
-## DiscoveredPlugin.configPath property
-
-Root configuration path used by the plugin, defaults to "id" in snake\_case format.
-
-<b>Signature:</b>
-
-```typescript
-readonly configPath: ConfigPath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [configPath](./kibana-plugin-server.discoveredplugin.configpath.md)
+
+## DiscoveredPlugin.configPath property
+
+Root configuration path used by the plugin, defaults to "id" in snake\_case format.
+
+<b>Signature:</b>
+
+```typescript
+readonly configPath: ConfigPath;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
index 54287ba69556f..4de45321d1b58 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [id](./kibana-plugin-server.discoveredplugin.id.md)
-
-## DiscoveredPlugin.id property
-
-Identifier of the plugin.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: PluginName;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [id](./kibana-plugin-server.discoveredplugin.id.md)
+
+## DiscoveredPlugin.id property
+
+Identifier of the plugin.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: PluginName;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
index ea13422458c7f..98931478da4af 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md)
-
-## DiscoveredPlugin interface
-
-Small container object used to expose information about discovered plugins that may or may not have been started.
-
-<b>Signature:</b>
-
-```typescript
-export interface DiscoveredPlugin 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [configPath](./kibana-plugin-server.discoveredplugin.configpath.md) | <code>ConfigPath</code> | Root configuration path used by the plugin, defaults to "id" in snake\_case format. |
-|  [id](./kibana-plugin-server.discoveredplugin.id.md) | <code>PluginName</code> | Identifier of the plugin. |
-|  [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
-|  [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md)
+
+## DiscoveredPlugin interface
+
+Small container object used to expose information about discovered plugins that may or may not have been started.
+
+<b>Signature:</b>
+
+```typescript
+export interface DiscoveredPlugin 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [configPath](./kibana-plugin-server.discoveredplugin.configpath.md) | <code>ConfigPath</code> | Root configuration path used by the plugin, defaults to "id" in snake\_case format. |
+|  [id](./kibana-plugin-server.discoveredplugin.id.md) | <code>PluginName</code> | Identifier of the plugin. |
+|  [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
+|  [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
index 065b3db6a8b71..9fc91464ced6a 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md)
-
-## DiscoveredPlugin.optionalPlugins property
-
-An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly optionalPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md)
+
+## DiscoveredPlugin.optionalPlugins property
+
+An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly optionalPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
index 185675f055ad5..2bcab0077a153 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md)
-
-## DiscoveredPlugin.requiredPlugins property
-
-An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly requiredPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md)
+
+## DiscoveredPlugin.requiredPlugins property
+
+An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly requiredPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md b/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
index 39e6ac428292b..97c01d16464e3 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md)
-
-## ElasticsearchClientConfig type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ElasticsearchClientConfig = Pick<ConfigOptions, 'keepAlive' | 'log' | 'plugins'> & Pick<ElasticsearchConfig, 'apiVersion' | 'customHeaders' | 'logQueries' | 'requestHeadersWhitelist' | 'sniffOnStart' | 'sniffOnConnectionFault' | 'hosts' | 'username' | 'password'> & {
-    pingTimeout?: ElasticsearchConfig['pingTimeout'] | ConfigOptions['pingTimeout'];
-    requestTimeout?: ElasticsearchConfig['requestTimeout'] | ConfigOptions['requestTimeout'];
-    sniffInterval?: ElasticsearchConfig['sniffInterval'] | ConfigOptions['sniffInterval'];
-    ssl?: Partial<ElasticsearchConfig['ssl']>;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md)
+
+## ElasticsearchClientConfig type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ElasticsearchClientConfig = Pick<ConfigOptions, 'keepAlive' | 'log' | 'plugins'> & Pick<ElasticsearchConfig, 'apiVersion' | 'customHeaders' | 'logQueries' | 'requestHeadersWhitelist' | 'sniffOnStart' | 'sniffOnConnectionFault' | 'hosts' | 'username' | 'password'> & {
+    pingTimeout?: ElasticsearchConfig['pingTimeout'] | ConfigOptions['pingTimeout'];
+    requestTimeout?: ElasticsearchConfig['requestTimeout'] | ConfigOptions['requestTimeout'];
+    sniffInterval?: ElasticsearchConfig['sniffInterval'] | ConfigOptions['sniffInterval'];
+    ssl?: Partial<ElasticsearchConfig['ssl']>;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
index 72556936db9be..6d072a6a98824 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) &gt; [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md)
-
-## ElasticsearchError.\[code\] property
-
-<b>Signature:</b>
-
-```typescript
-[code]?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) &gt; [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md)
+
+## ElasticsearchError.\[code\] property
+
+<b>Signature:</b>
+
+```typescript
+[code]?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
index 9d9e21c44760c..a13fe675303b8 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md)
-
-## ElasticsearchError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ElasticsearchError extends Boom 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md)
+
+## ElasticsearchError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ElasticsearchError extends Boom 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
index de9223c688357..75b03ff104a6c 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md)
-
-## ElasticsearchErrorHelpers.decorateNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateNotAuthorizedError(error: Error, reason?: string): ElasticsearchError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ElasticsearchError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md)
+
+## ElasticsearchErrorHelpers.decorateNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateNotAuthorizedError(error: Error, reason?: string): ElasticsearchError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ElasticsearchError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
index 6d6706ad2e767..f8ddd13431f20 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md)
-
-## ElasticsearchErrorHelpers.isNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotAuthorizedError(error: any): error is ElasticsearchError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`error is ElasticsearchError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md)
+
+## ElasticsearchErrorHelpers.isNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotAuthorizedError(error: any): error is ElasticsearchError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`error is ElasticsearchError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
index 2e615acfeac6b..fd3e21e32ba21 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md)
-
-## ElasticsearchErrorHelpers class
-
-Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as `body.error.header[WWW-Authenticate]`
-
-<b>Signature:</b>
-
-```typescript
-export declare class ElasticsearchErrorHelpers 
-```
-
-## Example
-
-Handle errors
-
-```js
-try {
-  await client.asScoped(request).callAsCurrentUser(...);
-} catch (err) {
-  if (ElasticsearchErrorHelpers.isNotAuthorizedError(err)) {
-    const authHeader = err.output.headers['WWW-Authenticate'];
-  }
-
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
-|  [isNotAuthorizedError(error)](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md)
+
+## ElasticsearchErrorHelpers class
+
+Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as `body.error.header[WWW-Authenticate]`
+
+<b>Signature:</b>
+
+```typescript
+export declare class ElasticsearchErrorHelpers 
+```
+
+## Example
+
+Handle errors
+
+```js
+try {
+  await client.asScoped(request).callAsCurrentUser(...);
+} catch (err) {
+  if (ElasticsearchErrorHelpers.isNotAuthorizedError(err)) {
+    const authHeader = err.output.headers['WWW-Authenticate'];
+  }
+
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
+|  [isNotAuthorizedError(error)](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
index 415423f555266..f9858b44b80ff 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md)
-
-## ElasticsearchServiceSetup.adminClient property
-
-A client for the `admin` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly adminClient: IClusterClient;
-```
-
-## Example
-
-
-```js
-const client = core.elasticsearch.adminClient;
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md)
+
+## ElasticsearchServiceSetup.adminClient property
+
+A client for the `admin` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly adminClient: IClusterClient;
+```
+
+## Example
+
+
+```js
+const client = core.elasticsearch.adminClient;
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
index 797f402cc2580..565ef1f7588e8 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md)
-
-## ElasticsearchServiceSetup.createClient property
-
-Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly createClient: (type: string, clientConfig?: Partial<ElasticsearchClientConfig>) => ICustomClusterClient;
-```
-
-## Example
-
-
-```js
-const client = elasticsearch.createCluster('my-app-name', config);
-const data = await client.callAsInternalUser();
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md)
+
+## ElasticsearchServiceSetup.createClient property
+
+Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly createClient: (type: string, clientConfig?: Partial<ElasticsearchClientConfig>) => ICustomClusterClient;
+```
+
+## Example
+
+
+```js
+const client = elasticsearch.createCluster('my-app-name', config);
+const data = await client.callAsInternalUser();
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
index e9845dce6915d..60ce859f8c109 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md)
-
-## ElasticsearchServiceSetup.dataClient property
-
-A client for the `data` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly dataClient: IClusterClient;
-```
-
-## Example
-
-
-```js
-const client = core.elasticsearch.dataClient;
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md)
+
+## ElasticsearchServiceSetup.dataClient property
+
+A client for the `data` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly dataClient: IClusterClient;
+```
+
+## Example
+
+
+```js
+const client = core.elasticsearch.dataClient;
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
index 2de3f6e6d1bbc..56221f905cbc1 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
-
-## ElasticsearchServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ElasticsearchServiceSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md) | <code>IClusterClient</code> | A client for the <code>admin</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-|  [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md) | <code>(type: string, clientConfig?: Partial&lt;ElasticsearchClientConfig&gt;) =&gt; ICustomClusterClient</code> | Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-|  [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md) | <code>IClusterClient</code> | A client for the <code>data</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
+
+## ElasticsearchServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ElasticsearchServiceSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md) | <code>IClusterClient</code> | A client for the <code>admin</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+|  [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md) | <code>(type: string, clientConfig?: Partial&lt;ElasticsearchClientConfig&gt;) =&gt; ICustomClusterClient</code> | Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+|  [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md) | <code>IClusterClient</code> | A client for the <code>data</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md b/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
index d60fcc58d1b60..8e40310eeb86d 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [dev](./kibana-plugin-server.environmentmode.dev.md)
-
-## EnvironmentMode.dev property
-
-<b>Signature:</b>
-
-```typescript
-dev: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [dev](./kibana-plugin-server.environmentmode.dev.md)
+
+## EnvironmentMode.dev property
+
+<b>Signature:</b>
+
+```typescript
+dev: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.md b/docs/development/core/server/kibana-plugin-server.environmentmode.md
index b325f74a0a44f..89273b15deb01 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md)
-
-## EnvironmentMode interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface EnvironmentMode 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [dev](./kibana-plugin-server.environmentmode.dev.md) | <code>boolean</code> |  |
-|  [name](./kibana-plugin-server.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
-|  [prod](./kibana-plugin-server.environmentmode.prod.md) | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md)
+
+## EnvironmentMode interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface EnvironmentMode 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [dev](./kibana-plugin-server.environmentmode.dev.md) | <code>boolean</code> |  |
+|  [name](./kibana-plugin-server.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
+|  [prod](./kibana-plugin-server.environmentmode.prod.md) | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.name.md b/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
index c3243075866f2..9b09be3ef7976 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [name](./kibana-plugin-server.environmentmode.name.md)
-
-## EnvironmentMode.name property
-
-<b>Signature:</b>
-
-```typescript
-name: 'development' | 'production';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [name](./kibana-plugin-server.environmentmode.name.md)
+
+## EnvironmentMode.name property
+
+<b>Signature:</b>
+
+```typescript
+name: 'development' | 'production';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md b/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
index 86a94775358e9..60ceef4d408c7 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [prod](./kibana-plugin-server.environmentmode.prod.md)
-
-## EnvironmentMode.prod property
-
-<b>Signature:</b>
-
-```typescript
-prod: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [prod](./kibana-plugin-server.environmentmode.prod.md)
+
+## EnvironmentMode.prod property
+
+<b>Signature:</b>
+
+```typescript
+prod: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
index acc800ff4879e..8e6656512fb0e 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.errorhttpresponseoptions.body.md)
-
-## ErrorHttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: ResponseError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.errorhttpresponseoptions.body.md)
+
+## ErrorHttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: ResponseError;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
index 4bf78f8325c13..df12976995732 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md)
-
-## ErrorHttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md)
+
+## ErrorHttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
index 9a5c96881f26c..338f948201b00 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md)
-
-## ErrorHttpResponseOptions interface
-
-HTTP response parameters
-
-<b>Signature:</b>
-
-```typescript
-export interface ErrorHttpResponseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.errorhttpresponseoptions.body.md) | <code>ResponseError</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md)
+
+## ErrorHttpResponseOptions interface
+
+HTTP response parameters
+
+<b>Signature:</b>
+
+```typescript
+export interface ErrorHttpResponseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.errorhttpresponseoptions.body.md) | <code>ResponseError</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md b/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
index 14cca9bc02ff8..a56588a1250d2 100644
--- a/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md) &gt; [headers](./kibana-plugin-server.fakerequest.headers.md)
-
-## FakeRequest.headers property
-
-Headers used for authentication against Elasticsearch
-
-<b>Signature:</b>
-
-```typescript
-headers: Headers;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md) &gt; [headers](./kibana-plugin-server.fakerequest.headers.md)
+
+## FakeRequest.headers property
+
+Headers used for authentication against Elasticsearch
+
+<b>Signature:</b>
+
+```typescript
+headers: Headers;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.fakerequest.md b/docs/development/core/server/kibana-plugin-server.fakerequest.md
index a0ac5733c315b..3c05e7418919e 100644
--- a/docs/development/core/server/kibana-plugin-server.fakerequest.md
+++ b/docs/development/core/server/kibana-plugin-server.fakerequest.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md)
-
-## FakeRequest interface
-
-Fake request object created manually by Kibana plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface FakeRequest 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [headers](./kibana-plugin-server.fakerequest.headers.md) | <code>Headers</code> | Headers used for authentication against Elasticsearch |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md)
+
+## FakeRequest interface
+
+Fake request object created manually by Kibana plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface FakeRequest 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [headers](./kibana-plugin-server.fakerequest.headers.md) | <code>Headers</code> | Headers used for authentication against Elasticsearch |
+
diff --git a/docs/development/core/server/kibana-plugin-server.getauthheaders.md b/docs/development/core/server/kibana-plugin-server.getauthheaders.md
index fba8b8ca8ee3a..c56e2357a8b39 100644
--- a/docs/development/core/server/kibana-plugin-server.getauthheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.getauthheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md)
-
-## GetAuthHeaders type
-
-Get headers to authenticate a user against Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-export declare type GetAuthHeaders = (request: KibanaRequest | LegacyRequest) => AuthHeaders | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md)
+
+## GetAuthHeaders type
+
+Get headers to authenticate a user against Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+export declare type GetAuthHeaders = (request: KibanaRequest | LegacyRequest) => AuthHeaders | undefined;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.getauthstate.md b/docs/development/core/server/kibana-plugin-server.getauthstate.md
index 1980a81ec1910..4e96c776677fb 100644
--- a/docs/development/core/server/kibana-plugin-server.getauthstate.md
+++ b/docs/development/core/server/kibana-plugin-server.getauthstate.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthState](./kibana-plugin-server.getauthstate.md)
-
-## GetAuthState type
-
-Gets authentication state for a request. Returned by `auth` interceptor.
-
-<b>Signature:</b>
-
-```typescript
-export declare type GetAuthState = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
-    status: AuthStatus;
-    state: T;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthState](./kibana-plugin-server.getauthstate.md)
+
+## GetAuthState type
+
+Gets authentication state for a request. Returned by `auth` interceptor.
+
+<b>Signature:</b>
+
+```typescript
+export declare type GetAuthState = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
+    status: AuthStatus;
+    state: T;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlercontexttype.md b/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
index e8f1f346e8b8e..cd59c2411cf86 100644
--- a/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
+++ b/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)
-
-## HandlerContextType type
-
-Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)
+
+## HandlerContextType type
+
+Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlerfunction.md b/docs/development/core/server/kibana-plugin-server.handlerfunction.md
index 97acd37946fc9..d24f7181d1d29 100644
--- a/docs/development/core/server/kibana-plugin-server.handlerfunction.md
+++ b/docs/development/core/server/kibana-plugin-server.handlerfunction.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerFunction](./kibana-plugin-server.handlerfunction.md)
-
-## HandlerFunction type
-
-A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerFunction](./kibana-plugin-server.handlerfunction.md)
+
+## HandlerFunction type
+
+A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlerparameters.md b/docs/development/core/server/kibana-plugin-server.handlerparameters.md
index 3dd7998a71a1f..40cc0b37b9251 100644
--- a/docs/development/core/server/kibana-plugin-server.handlerparameters.md
+++ b/docs/development/core/server/kibana-plugin-server.handlerparameters.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerParameters](./kibana-plugin-server.handlerparameters.md)
-
-## HandlerParameters type
-
-Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerParameters](./kibana-plugin-server.handlerparameters.md)
+
+## HandlerParameters type
+
+Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.headers.md b/docs/development/core/server/kibana-plugin-server.headers.md
index cd73d4de43b9d..30798e4bfeb00 100644
--- a/docs/development/core/server/kibana-plugin-server.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.headers.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Headers](./kibana-plugin-server.headers.md)
-
-## Headers type
-
-Http request headers to read.
-
-<b>Signature:</b>
-
-```typescript
-export declare type Headers = {
-    [header in KnownHeaders]?: string | string[] | undefined;
-} & {
-    [header: string]: string | string[] | undefined;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Headers](./kibana-plugin-server.headers.md)
+
+## Headers type
+
+Http request headers to read.
+
+<b>Signature:</b>
+
+```typescript
+export declare type Headers = {
+    [header in KnownHeaders]?: string | string[] | undefined;
+} & {
+    [header: string]: string | string[] | undefined;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
index fb663c3c878a7..020c55c2c0874 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [body](./kibana-plugin-server.httpresponseoptions.body.md)
-
-## HttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: HttpResponsePayload;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [body](./kibana-plugin-server.httpresponseoptions.body.md)
+
+## HttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: HttpResponsePayload;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
index ee347f99a41a4..4f66005e881d8 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [headers](./kibana-plugin-server.httpresponseoptions.headers.md)
-
-## HttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [headers](./kibana-plugin-server.httpresponseoptions.headers.md)
+
+## HttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
index aa0e6cc40b861..c5cbe471f45e6 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)
-
-## HttpResponseOptions interface
-
-HTTP response parameters
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpResponseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.httpresponseoptions.body.md) | <code>HttpResponsePayload</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.httpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)
+
+## HttpResponseOptions interface
+
+HTTP response parameters
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpResponseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.httpresponseoptions.body.md) | <code>HttpResponsePayload</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.httpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md b/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
index 3dc4e2c7956f7..a2a8e28b1f33e 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md)
-
-## HttpResponsePayload type
-
-Data send to the client as a response payload.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HttpResponsePayload = undefined | string | Record<string, any> | Buffer | Stream;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md)
+
+## HttpResponsePayload type
+
+Data send to the client as a response payload.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HttpResponsePayload = undefined | string | Record<string, any> | Buffer | Stream;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
index f08bb8b638e79..4ff7967a6a643 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [auth](./kibana-plugin-server.httpservicesetup.auth.md)
-
-## HttpServiceSetup.auth property
-
-<b>Signature:</b>
-
-```typescript
-auth: {
-        get: GetAuthState;
-        isAuthenticated: IsAuthenticated;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [auth](./kibana-plugin-server.httpservicesetup.auth.md)
+
+## HttpServiceSetup.auth property
+
+<b>Signature:</b>
+
+```typescript
+auth: {
+        get: GetAuthState;
+        isAuthenticated: IsAuthenticated;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
index 61390773bd726..81221f303b566 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [basePath](./kibana-plugin-server.httpservicesetup.basepath.md)
-
-## HttpServiceSetup.basePath property
-
-Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-basePath: IBasePath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [basePath](./kibana-plugin-server.httpservicesetup.basepath.md)
+
+## HttpServiceSetup.basePath property
+
+Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+basePath: IBasePath;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
index 4771836bea477..1aabee9d255b4 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md)
-
-## HttpServiceSetup.createCookieSessionStorageFactory property
-
-Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
-
-<b>Signature:</b>
-
-```typescript
-createCookieSessionStorageFactory: <T>(cookieOptions: SessionStorageCookieOptions<T>) => Promise<SessionStorageFactory<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md)
+
+## HttpServiceSetup.createCookieSessionStorageFactory property
+
+Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
+
+<b>Signature:</b>
+
+```typescript
+createCookieSessionStorageFactory: <T>(cookieOptions: SessionStorageCookieOptions<T>) => Promise<SessionStorageFactory<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
index 71a7fd8fb6a22..ea0850fa01c53 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md)
-
-## HttpServiceSetup.createRouter property
-
-Provides ability to declare a handler function for a particular path and HTTP request method.
-
-<b>Signature:</b>
-
-```typescript
-createRouter: () => IRouter;
-```
-
-## Remarks
-
-Each route can have only one handler function, which is executed when the route is matched. See the [IRouter](./kibana-plugin-server.irouter.md) documentation for more information.
-
-## Example
-
-
-```ts
-const router = createRouter();
-// handler is called when '/path' resource is requested with `GET` method
-router.get({ path: '/path', validate: false }, (context, req, res) => res.ok({ content: 'ok' }));
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md)
+
+## HttpServiceSetup.createRouter property
+
+Provides ability to declare a handler function for a particular path and HTTP request method.
+
+<b>Signature:</b>
+
+```typescript
+createRouter: () => IRouter;
+```
+
+## Remarks
+
+Each route can have only one handler function, which is executed when the route is matched. See the [IRouter](./kibana-plugin-server.irouter.md) documentation for more information.
+
+## Example
+
+
+```ts
+const router = createRouter();
+// handler is called when '/path' resource is requested with `GET` method
+router.get({ path: '/path', validate: false }, (context, req, res) => res.ok({ content: 'ok' }));
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
index 7bf83305613ea..cc1a2ba7136a1 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [csp](./kibana-plugin-server.httpservicesetup.csp.md)
-
-## HttpServiceSetup.csp property
-
-The CSP config used for Kibana.
-
-<b>Signature:</b>
-
-```typescript
-csp: ICspConfig;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [csp](./kibana-plugin-server.httpservicesetup.csp.md)
+
+## HttpServiceSetup.csp property
+
+The CSP config used for Kibana.
+
+<b>Signature:</b>
+
+```typescript
+csp: ICspConfig;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
index 06a99e8bf3013..2d5a8e9ea791b 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md)
-
-## HttpServiceSetup.isTlsEnabled property
-
-Flag showing whether a server was configured to use TLS connection.
-
-<b>Signature:</b>
-
-```typescript
-isTlsEnabled: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md)
+
+## HttpServiceSetup.isTlsEnabled property
+
+Flag showing whether a server was configured to use TLS connection.
+
+<b>Signature:</b>
+
+```typescript
+isTlsEnabled: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
index 95a95175672c7..2a4b0e09977c1 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
@@ -1,95 +1,95 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
-
-## HttpServiceSetup interface
-
-Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to `hapi` server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpServiceSetup 
-```
-
-## Example
-
-To handle an incoming request in your plugin you should: - Create a `Router` instance.
-
-```ts
-const router = httpSetup.createRouter();
-
-```
-- Use `@kbn/config-schema` package to create a schema to validate the request `params`<!-- -->, `query`<!-- -->, and `body`<!-- -->. Every incoming request will be validated against the created schema. If validation failed, the request is rejected with `400` status and `Bad request` error without calling the route's handler. To opt out of validating the request, specify `false`<!-- -->.
-
-```ts
-import { schema, TypeOf } from '@kbn/config-schema';
-const validate = {
-  params: schema.object({
-    id: schema.string(),
-  }),
-};
-
-```
-- Declare a function to respond to incoming request. The function will receive `request` object containing request details: url, headers, matched route, as well as validated `params`<!-- -->, `query`<!-- -->, `body`<!-- -->. And `response` object instructing HTTP server to create HTTP response with information sent back to the client as the response body, headers, and HTTP status. Unlike, `hapi` route handler in the Legacy platform, any exception raised during the handler call will generate `500 Server error` response and log error details for further investigation. See below for returning custom error responses.
-
-```ts
-const handler = async (context: RequestHandlerContext, request: KibanaRequest, response: ResponseFactory) => {
-  const data = await findObject(request.params.id);
-  // creates a command to respond with 'not found' error
-  if (!data) return response.notFound();
-  // creates a command to send found data to the client and set response headers
-  return response.ok({
-    body: data,
-    headers: {
-      'content-type': 'application/json'
-    }
-  });
-}
-
-```
-- Register route handler for GET request to 'path/<!-- -->{<!-- -->id<!-- -->}<!-- -->' path
-
-```ts
-import { schema, TypeOf } from '@kbn/config-schema';
-const router = httpSetup.createRouter();
-
-const validate = {
-  params: schema.object({
-    id: schema.string(),
-  }),
-};
-
-router.get({
-  path: 'path/{id}',
-  validate
-},
-async (context, request, response) => {
-  const data = await findObject(request.params.id);
-  if (!data) return response.notFound();
-  return response.ok({
-    body: data,
-    headers: {
-      'content-type': 'application/json'
-    }
-  });
-});
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [auth](./kibana-plugin-server.httpservicesetup.auth.md) | <code>{</code><br/><code>        get: GetAuthState;</code><br/><code>        isAuthenticated: IsAuthenticated;</code><br/><code>    }</code> |  |
-|  [basePath](./kibana-plugin-server.httpservicesetup.basepath.md) | <code>IBasePath</code> | Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->. |
-|  [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md) | <code>&lt;T&gt;(cookieOptions: SessionStorageCookieOptions&lt;T&gt;) =&gt; Promise&lt;SessionStorageFactory&lt;T&gt;&gt;</code> | Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) |
-|  [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md) | <code>() =&gt; IRouter</code> | Provides ability to declare a handler function for a particular path and HTTP request method. |
-|  [csp](./kibana-plugin-server.httpservicesetup.csp.md) | <code>ICspConfig</code> | The CSP config used for Kibana. |
-|  [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md) | <code>boolean</code> | Flag showing whether a server was configured to use TLS connection. |
-|  [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md) | <code>(handler: AuthenticationHandler) =&gt; void</code> | To define custom authentication and/or authorization mechanism for incoming requests. |
-|  [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md) | <code>(handler: OnPostAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
-|  [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md) | <code>(handler: OnPreAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
-|  [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md) | <code>(handler: OnPreResponseHandler) =&gt; void</code> | To define custom logic to perform for the server response. |
-|  [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md) | <code>&lt;T extends keyof RequestHandlerContext&gt;(contextName: T, provider: RequestHandlerContextProvider&lt;T&gt;) =&gt; RequestHandlerContextContainer</code> | Register a context provider for a route handler. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
+
+## HttpServiceSetup interface
+
+Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to `hapi` server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpServiceSetup 
+```
+
+## Example
+
+To handle an incoming request in your plugin you should: - Create a `Router` instance.
+
+```ts
+const router = httpSetup.createRouter();
+
+```
+- Use `@kbn/config-schema` package to create a schema to validate the request `params`<!-- -->, `query`<!-- -->, and `body`<!-- -->. Every incoming request will be validated against the created schema. If validation failed, the request is rejected with `400` status and `Bad request` error without calling the route's handler. To opt out of validating the request, specify `false`<!-- -->.
+
+```ts
+import { schema, TypeOf } from '@kbn/config-schema';
+const validate = {
+  params: schema.object({
+    id: schema.string(),
+  }),
+};
+
+```
+- Declare a function to respond to incoming request. The function will receive `request` object containing request details: url, headers, matched route, as well as validated `params`<!-- -->, `query`<!-- -->, `body`<!-- -->. And `response` object instructing HTTP server to create HTTP response with information sent back to the client as the response body, headers, and HTTP status. Unlike, `hapi` route handler in the Legacy platform, any exception raised during the handler call will generate `500 Server error` response and log error details for further investigation. See below for returning custom error responses.
+
+```ts
+const handler = async (context: RequestHandlerContext, request: KibanaRequest, response: ResponseFactory) => {
+  const data = await findObject(request.params.id);
+  // creates a command to respond with 'not found' error
+  if (!data) return response.notFound();
+  // creates a command to send found data to the client and set response headers
+  return response.ok({
+    body: data,
+    headers: {
+      'content-type': 'application/json'
+    }
+  });
+}
+
+```
+- Register route handler for GET request to 'path/<!-- -->{<!-- -->id<!-- -->}<!-- -->' path
+
+```ts
+import { schema, TypeOf } from '@kbn/config-schema';
+const router = httpSetup.createRouter();
+
+const validate = {
+  params: schema.object({
+    id: schema.string(),
+  }),
+};
+
+router.get({
+  path: 'path/{id}',
+  validate
+},
+async (context, request, response) => {
+  const data = await findObject(request.params.id);
+  if (!data) return response.notFound();
+  return response.ok({
+    body: data,
+    headers: {
+      'content-type': 'application/json'
+    }
+  });
+});
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [auth](./kibana-plugin-server.httpservicesetup.auth.md) | <code>{</code><br/><code>        get: GetAuthState;</code><br/><code>        isAuthenticated: IsAuthenticated;</code><br/><code>    }</code> |  |
+|  [basePath](./kibana-plugin-server.httpservicesetup.basepath.md) | <code>IBasePath</code> | Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->. |
+|  [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md) | <code>&lt;T&gt;(cookieOptions: SessionStorageCookieOptions&lt;T&gt;) =&gt; Promise&lt;SessionStorageFactory&lt;T&gt;&gt;</code> | Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) |
+|  [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md) | <code>() =&gt; IRouter</code> | Provides ability to declare a handler function for a particular path and HTTP request method. |
+|  [csp](./kibana-plugin-server.httpservicesetup.csp.md) | <code>ICspConfig</code> | The CSP config used for Kibana. |
+|  [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md) | <code>boolean</code> | Flag showing whether a server was configured to use TLS connection. |
+|  [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md) | <code>(handler: AuthenticationHandler) =&gt; void</code> | To define custom authentication and/or authorization mechanism for incoming requests. |
+|  [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md) | <code>(handler: OnPostAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
+|  [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md) | <code>(handler: OnPreAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
+|  [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md) | <code>(handler: OnPreResponseHandler) =&gt; void</code> | To define custom logic to perform for the server response. |
+|  [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md) | <code>&lt;T extends keyof RequestHandlerContext&gt;(contextName: T, provider: RequestHandlerContextProvider&lt;T&gt;) =&gt; RequestHandlerContextContainer</code> | Register a context provider for a route handler. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
index be3da1ca1131f..1258f8e83bafd 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md)
-
-## HttpServiceSetup.registerAuth property
-
-To define custom authentication and/or authorization mechanism for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerAuth: (handler: AuthenticationHandler) => void;
-```
-
-## Remarks
-
-A handler should return a state to associate with the incoming request. The state can be retrieved later via http.auth.get(..) Only one AuthenticationHandler can be registered. See [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md)
+
+## HttpServiceSetup.registerAuth property
+
+To define custom authentication and/or authorization mechanism for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerAuth: (handler: AuthenticationHandler) => void;
+```
+
+## Remarks
+
+A handler should return a state to associate with the incoming request. The state can be retrieved later via http.auth.get(..) Only one AuthenticationHandler can be registered. See [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
index a3f875c999af1..f1849192919b9 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md)
-
-## HttpServiceSetup.registerOnPostAuth property
-
-To define custom logic to perform for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPostAuth: (handler: OnPostAuthHandler) => void;
-```
-
-## Remarks
-
-Runs the handler after Auth interceptor did make sure a user has access to the requested resource. The auth state is available at stage via http.auth.get(..) Can register any number of registerOnPreAuth, which are called in sequence (from the first registered to the last). See [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md)
+
+## HttpServiceSetup.registerOnPostAuth property
+
+To define custom logic to perform for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPostAuth: (handler: OnPostAuthHandler) => void;
+```
+
+## Remarks
+
+Runs the handler after Auth interceptor did make sure a user has access to the requested resource. The auth state is available at stage via http.auth.get(..) Can register any number of registerOnPreAuth, which are called in sequence (from the first registered to the last). See [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
index 4c7b688619319..25462081548e7 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md)
-
-## HttpServiceSetup.registerOnPreAuth property
-
-To define custom logic to perform for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPreAuth: (handler: OnPreAuthHandler) => void;
-```
-
-## Remarks
-
-Runs the handler before Auth interceptor performs a check that user has access to requested resources, so it's the only place when you can forward a request to another URL right on the server. Can register any number of registerOnPostAuth, which are called in sequence (from the first registered to the last). See [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md)
+
+## HttpServiceSetup.registerOnPreAuth property
+
+To define custom logic to perform for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPreAuth: (handler: OnPreAuthHandler) => void;
+```
+
+## Remarks
+
+Runs the handler before Auth interceptor performs a check that user has access to requested resources, so it's the only place when you can forward a request to another URL right on the server. Can register any number of registerOnPostAuth, which are called in sequence (from the first registered to the last). See [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
index 9f0eaae8830e1..25248066cbc25 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md)
-
-## HttpServiceSetup.registerOnPreResponse property
-
-To define custom logic to perform for the server response.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPreResponse: (handler: OnPreResponseHandler) => void;
-```
-
-## Remarks
-
-Doesn't provide the whole response object. Supports extending response with custom headers. See [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md)
+
+## HttpServiceSetup.registerOnPreResponse property
+
+To define custom logic to perform for the server response.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPreResponse: (handler: OnPreResponseHandler) => void;
+```
+
+## Remarks
+
+Doesn't provide the whole response object. Supports extending response with custom headers. See [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
index 339f2eb329c7b..69358cbf975bc 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md)
-
-## HttpServiceSetup.registerRouteHandlerContext property
-
-Register a context provider for a route handler.
-
-<b>Signature:</b>
-
-```typescript
-registerRouteHandlerContext: <T extends keyof RequestHandlerContext>(contextName: T, provider: RequestHandlerContextProvider<T>) => RequestHandlerContextContainer;
-```
-
-## Example
-
-
-```ts
- // my-plugin.ts
- deps.http.registerRouteHandlerContext(
-   'myApp',
-   (context, req) => {
-    async function search (id: string) {
-      return await context.elasticsearch.adminClient.callAsInternalUser('endpoint', id);
-    }
-    return { search };
-   }
- );
-
-// my-route-handler.ts
- router.get({ path: '/', validate: false }, async (context, req, res) => {
-   const response = await context.myApp.search(...);
-   return res.ok(response);
- });
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md)
+
+## HttpServiceSetup.registerRouteHandlerContext property
+
+Register a context provider for a route handler.
+
+<b>Signature:</b>
+
+```typescript
+registerRouteHandlerContext: <T extends keyof RequestHandlerContext>(contextName: T, provider: RequestHandlerContextProvider<T>) => RequestHandlerContextContainer;
+```
+
+## Example
+
+
+```ts
+ // my-plugin.ts
+ deps.http.registerRouteHandlerContext(
+   'myApp',
+   (context, req) => {
+    async function search (id: string) {
+      return await context.elasticsearch.adminClient.callAsInternalUser('endpoint', id);
+    }
+    return { search };
+   }
+ );
+
+// my-route-handler.ts
+ router.get({ path: '/', validate: false }, async (context, req, res) => {
+   const response = await context.myApp.search(...);
+   return res.ok(response);
+ });
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md b/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
index 2818d6ead2c23..2453a6abd2d22 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) &gt; [isListening](./kibana-plugin-server.httpservicestart.islistening.md)
-
-## HttpServiceStart.isListening property
-
-Indicates if http server is listening on a given port
-
-<b>Signature:</b>
-
-```typescript
-isListening: (port: number) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) &gt; [isListening](./kibana-plugin-server.httpservicestart.islistening.md)
+
+## HttpServiceStart.isListening property
+
+Indicates if http server is listening on a given port
+
+<b>Signature:</b>
+
+```typescript
+isListening: (port: number) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicestart.md b/docs/development/core/server/kibana-plugin-server.httpservicestart.md
index 2c9c4c8408f6b..47d6a4d146686 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md)
-
-## HttpServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isListening](./kibana-plugin-server.httpservicestart.islistening.md) | <code>(port: number) =&gt; boolean</code> | Indicates if http server is listening on a given port |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md)
+
+## HttpServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isListening](./kibana-plugin-server.httpservicestart.islistening.md) | <code>(port: number) =&gt; boolean</code> | Indicates if http server is listening on a given port |
+
diff --git a/docs/development/core/server/kibana-plugin-server.ibasepath.md b/docs/development/core/server/kibana-plugin-server.ibasepath.md
index 2baa8d623ce97..d2779a49d3e21 100644
--- a/docs/development/core/server/kibana-plugin-server.ibasepath.md
+++ b/docs/development/core/server/kibana-plugin-server.ibasepath.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IBasePath](./kibana-plugin-server.ibasepath.md)
-
-## IBasePath type
-
-Access or manipulate the Kibana base path
-
-[BasePath](./kibana-plugin-server.basepath.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type IBasePath = Pick<BasePath, keyof BasePath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IBasePath](./kibana-plugin-server.ibasepath.md)
+
+## IBasePath type
+
+Access or manipulate the Kibana base path
+
+[BasePath](./kibana-plugin-server.basepath.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type IBasePath = Pick<BasePath, keyof BasePath>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iclusterclient.md b/docs/development/core/server/kibana-plugin-server.iclusterclient.md
index e7435a9d91a74..a78ebb1400fdd 100644
--- a/docs/development/core/server/kibana-plugin-server.iclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IClusterClient](./kibana-plugin-server.iclusterclient.md)
-
-## IClusterClient type
-
-Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'asScoped'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IClusterClient](./kibana-plugin-server.iclusterclient.md)
+
+## IClusterClient type
+
+Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'asScoped'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
index 09a9e28d6d0fe..7bc18e819ae44 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-server.icontextcontainer.createhandler.md)
-
-## IContextContainer.createHandler() method
-
-Create a new handler function pre-wired to context for the plugin.
-
-<b>Signature:</b>
-
-```typescript
-createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
-|  handler | <code>THandler</code> | Handler function to pass context object to. |
-
-<b>Returns:</b>
-
-`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
-
-A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-server.icontextcontainer.createhandler.md)
+
+## IContextContainer.createHandler() method
+
+Create a new handler function pre-wired to context for the plugin.
+
+<b>Signature:</b>
+
+```typescript
+createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
+|  handler | <code>THandler</code> | Handler function to pass context object to. |
+
+<b>Returns:</b>
+
+`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
+
+A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
index 8235c40131536..b54b84070b1f8 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
@@ -1,80 +1,80 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
-
-## IContextContainer interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface IContextContainer<THandler extends HandlerFunction<any>> 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-server.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
-|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-server.icontextcontainer.registercontext.md) | Register a new context provider. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
+
+## IContextContainer interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface IContextContainer<THandler extends HandlerFunction<any>> 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-server.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
+|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-server.icontextcontainer.registercontext.md) | Register a new context provider. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
index 30d3fc154d1e9..ee2cffdf155a7 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-server.icontextcontainer.registercontext.md)
-
-## IContextContainer.registerContext() method
-
-Register a new context provider.
-
-<b>Signature:</b>
-
-```typescript
-registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
-|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
-|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-server.icontextprovider.md) to be called each time a new context is created. |
-
-<b>Returns:</b>
-
-`this`
-
-The [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for method chaining.
-
-## Remarks
-
-The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
-
-Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-server.icontextcontainer.registercontext.md)
+
+## IContextContainer.registerContext() method
+
+Register a new context provider.
+
+<b>Signature:</b>
+
+```typescript
+registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
+|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
+|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-server.icontextprovider.md) to be called each time a new context is created. |
+
+<b>Returns:</b>
+
+`this`
+
+The [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for method chaining.
+
+## Remarks
+
+The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
+
+Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextprovider.md b/docs/development/core/server/kibana-plugin-server.icontextprovider.md
index 39ace8b9bc57e..63c4e1a0f9acf 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextprovider.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextProvider](./kibana-plugin-server.icontextprovider.md)
-
-## IContextProvider type
-
-A function that returns a context value for a specific key of given context type.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
-```
-
-## Remarks
-
-This function will be called each time a new context is built for a handler invocation.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextProvider](./kibana-plugin-server.icontextprovider.md)
+
+## IContextProvider type
+
+A function that returns a context value for a specific key of given context type.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
+```
+
+## Remarks
+
+This function will be called each time a new context is built for a handler invocation.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.header.md b/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
index d757863fdc12d..444b79b86eb93 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [header](./kibana-plugin-server.icspconfig.header.md)
-
-## ICspConfig.header property
-
-The CSP rules in a formatted directives string for use in a `Content-Security-Policy` header.
-
-<b>Signature:</b>
-
-```typescript
-readonly header: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [header](./kibana-plugin-server.icspconfig.header.md)
+
+## ICspConfig.header property
+
+The CSP rules in a formatted directives string for use in a `Content-Security-Policy` header.
+
+<b>Signature:</b>
+
+```typescript
+readonly header: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.md b/docs/development/core/server/kibana-plugin-server.icspconfig.md
index fb8188386a376..5d14c20bd8973 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md)
-
-## ICspConfig interface
-
-CSP configuration for use in Kibana.
-
-<b>Signature:</b>
-
-```typescript
-export interface ICspConfig 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [header](./kibana-plugin-server.icspconfig.header.md) | <code>string</code> | The CSP rules in a formatted directives string for use in a <code>Content-Security-Policy</code> header. |
-|  [rules](./kibana-plugin-server.icspconfig.rules.md) | <code>string[]</code> | The CSP rules used for Kibana. |
-|  [strict](./kibana-plugin-server.icspconfig.strict.md) | <code>boolean</code> | Specify whether browsers that do not support CSP should be able to use Kibana. Use <code>true</code> to block and <code>false</code> to allow. |
-|  [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md) | <code>boolean</code> | Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md)
+
+## ICspConfig interface
+
+CSP configuration for use in Kibana.
+
+<b>Signature:</b>
+
+```typescript
+export interface ICspConfig 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [header](./kibana-plugin-server.icspconfig.header.md) | <code>string</code> | The CSP rules in a formatted directives string for use in a <code>Content-Security-Policy</code> header. |
+|  [rules](./kibana-plugin-server.icspconfig.rules.md) | <code>string[]</code> | The CSP rules used for Kibana. |
+|  [strict](./kibana-plugin-server.icspconfig.strict.md) | <code>boolean</code> | Specify whether browsers that do not support CSP should be able to use Kibana. Use <code>true</code> to block and <code>false</code> to allow. |
+|  [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md) | <code>boolean</code> | Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md b/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
index 6216e6d817136..04276e2148a79 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [rules](./kibana-plugin-server.icspconfig.rules.md)
-
-## ICspConfig.rules property
-
-The CSP rules used for Kibana.
-
-<b>Signature:</b>
-
-```typescript
-readonly rules: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [rules](./kibana-plugin-server.icspconfig.rules.md)
+
+## ICspConfig.rules property
+
+The CSP rules used for Kibana.
+
+<b>Signature:</b>
+
+```typescript
+readonly rules: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md b/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
index 4ab97ad9f665a..88b25d9c7ea84 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [strict](./kibana-plugin-server.icspconfig.strict.md)
-
-## ICspConfig.strict property
-
-Specify whether browsers that do not support CSP should be able to use Kibana. Use `true` to block and `false` to allow.
-
-<b>Signature:</b>
-
-```typescript
-readonly strict: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [strict](./kibana-plugin-server.icspconfig.strict.md)
+
+## ICspConfig.strict property
+
+Specify whether browsers that do not support CSP should be able to use Kibana. Use `true` to block and `false` to allow.
+
+<b>Signature:</b>
+
+```typescript
+readonly strict: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md b/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
index aea35f0569448..b6cd70a7c16e5 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md)
-
-## ICspConfig.warnLegacyBrowsers property
-
-Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance.
-
-<b>Signature:</b>
-
-```typescript
-readonly warnLegacyBrowsers: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md)
+
+## ICspConfig.warnLegacyBrowsers property
+
+Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance.
+
+<b>Signature:</b>
+
+```typescript
+readonly warnLegacyBrowsers: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md b/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
index d7511a119fc0f..888d4a1aa3454 100644
--- a/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md)
-
-## ICustomClusterClient type
-
-Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ICustomClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'close' | 'asScoped'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md)
+
+## ICustomClusterClient type
+
+Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ICustomClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'close' | 'asScoped'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
index 4971d6eb97a28..6c1ded748cf54 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md)
-
-## IKibanaResponse interface
-
-A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution
-
-<b>Signature:</b>
-
-```typescript
-export interface IKibanaResponse<T extends HttpResponsePayload | ResponseError = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [options](./kibana-plugin-server.ikibanaresponse.options.md) | <code>HttpResponseOptions</code> |  |
-|  [payload](./kibana-plugin-server.ikibanaresponse.payload.md) | <code>T</code> |  |
-|  [status](./kibana-plugin-server.ikibanaresponse.status.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md)
+
+## IKibanaResponse interface
+
+A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution
+
+<b>Signature:</b>
+
+```typescript
+export interface IKibanaResponse<T extends HttpResponsePayload | ResponseError = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [options](./kibana-plugin-server.ikibanaresponse.options.md) | <code>HttpResponseOptions</code> |  |
+|  [payload](./kibana-plugin-server.ikibanaresponse.payload.md) | <code>T</code> |  |
+|  [status](./kibana-plugin-server.ikibanaresponse.status.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
index 988d873c088fe..0d14a4ac2d873 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [options](./kibana-plugin-server.ikibanaresponse.options.md)
-
-## IKibanaResponse.options property
-
-<b>Signature:</b>
-
-```typescript
-readonly options: HttpResponseOptions;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [options](./kibana-plugin-server.ikibanaresponse.options.md)
+
+## IKibanaResponse.options property
+
+<b>Signature:</b>
+
+```typescript
+readonly options: HttpResponseOptions;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
index f1d10c5d22a42..8285a68e7780b 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [payload](./kibana-plugin-server.ikibanaresponse.payload.md)
-
-## IKibanaResponse.payload property
-
-<b>Signature:</b>
-
-```typescript
-readonly payload?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [payload](./kibana-plugin-server.ikibanaresponse.payload.md)
+
+## IKibanaResponse.payload property
+
+<b>Signature:</b>
+
+```typescript
+readonly payload?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
index b766ff66c357f..5ffc8330aadf9 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [status](./kibana-plugin-server.ikibanaresponse.status.md)
-
-## IKibanaResponse.status property
-
-<b>Signature:</b>
-
-```typescript
-readonly status: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [status](./kibana-plugin-server.ikibanaresponse.status.md)
+
+## IKibanaResponse.status property
+
+<b>Signature:</b>
+
+```typescript
+readonly status: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
index 0629b8e2b9ade..aa1d72f5f104c 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md)
-
-## IKibanaSocket.authorizationError property
-
-The reason why the peer's certificate has not been verified. This property becomes available only when `authorized` is `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly authorizationError?: Error;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md)
+
+## IKibanaSocket.authorizationError property
+
+The reason why the peer's certificate has not been verified. This property becomes available only when `authorized` is `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly authorizationError?: Error;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
index abb68f8e8f0e0..8cd608e4ea611 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorized](./kibana-plugin-server.ikibanasocket.authorized.md)
-
-## IKibanaSocket.authorized property
-
-Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is `undefined`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly authorized?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorized](./kibana-plugin-server.ikibanasocket.authorized.md)
+
+## IKibanaSocket.authorized property
+
+Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is `undefined`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly authorized?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
index 8bd8f900579ea..e1b07393cd92d 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed: true): DetailedPeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>true</code> |  |
-
-<b>Returns:</b>
-
-`DetailedPeerCertificate | null`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed: true): DetailedPeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>true</code> |  |
+
+<b>Returns:</b>
+
+`DetailedPeerCertificate | null`
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
index 5ac763032e72b..90e02fd5c53bb 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed: false): PeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>false</code> |  |
-
-<b>Returns:</b>
-
-`PeerCertificate | null`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed: false): PeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>false</code> |  |
+
+<b>Returns:</b>
+
+`PeerCertificate | null`
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
index 19d2dc137d257..20a99d1639fdd 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null.
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed?: boolean): PeerCertificate | DetailedPeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>boolean</code> | If true; the full chain with issuer property will be returned. |
-
-<b>Returns:</b>
-
-`PeerCertificate | DetailedPeerCertificate | null`
-
-An object representing the peer's certificate.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null.
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed?: boolean): PeerCertificate | DetailedPeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>boolean</code> | If true; the full chain with issuer property will be returned. |
+
+<b>Returns:</b>
+
+`PeerCertificate | DetailedPeerCertificate | null`
+
+An object representing the peer's certificate.
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
index 2718111fb0fb3..d69e194d2246b 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
-
-## IKibanaSocket interface
-
-A tiny abstraction for TCP socket.
-
-<b>Signature:</b>
-
-```typescript
-export interface IKibanaSocket 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md) | <code>Error</code> | The reason why the peer's certificate has not been verified. This property becomes available only when <code>authorized</code> is <code>false</code>. |
-|  [authorized](./kibana-plugin-server.ikibanasocket.authorized.md) | <code>boolean</code> | Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is <code>undefined</code>. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate.md) |  |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md) |  |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md) | Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
+
+## IKibanaSocket interface
+
+A tiny abstraction for TCP socket.
+
+<b>Signature:</b>
+
+```typescript
+export interface IKibanaSocket 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md) | <code>Error</code> | The reason why the peer's certificate has not been verified. This property becomes available only when <code>authorized</code> is <code>false</code>. |
+|  [authorized](./kibana-plugin-server.ikibanasocket.authorized.md) | <code>boolean</code> | Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is <code>undefined</code>. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate.md) |  |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md) |  |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md) | Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md b/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
index 9b03924ad2e0f..058c9f61c206b 100644
--- a/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
+++ b/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md) &gt; [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md)
-
-## ImageValidation.maxSize property
-
-<b>Signature:</b>
-
-```typescript
-maxSize: {
-        length: number;
-        description: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md) &gt; [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md)
+
+## ImageValidation.maxSize property
+
+<b>Signature:</b>
+
+```typescript
+maxSize: {
+        length: number;
+        description: string;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.imagevalidation.md b/docs/development/core/server/kibana-plugin-server.imagevalidation.md
index 0c3e59cc783f9..cd39b6ef4e796 100644
--- a/docs/development/core/server/kibana-plugin-server.imagevalidation.md
+++ b/docs/development/core/server/kibana-plugin-server.imagevalidation.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md)
-
-## ImageValidation interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ImageValidation 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md)
+
+## ImageValidation interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ImageValidation 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md b/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
index 66b15e532e2ad..800f9c4298426 100644
--- a/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md)
-
-## IndexSettingsDeprecationInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IndexSettingsDeprecationInfo 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md)
+
+## IndexSettingsDeprecationInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IndexSettingsDeprecationInfo 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md b/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
index cedf3d27d0887..a3ae5724b1854 100644
--- a/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
+++ b/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md) &gt; [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md)
-
-## IRenderOptions.includeUserSettings property
-
-Set whether to output user settings in the page metadata. `true` by default.
-
-<b>Signature:</b>
-
-```typescript
-includeUserSettings?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md) &gt; [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md)
+
+## IRenderOptions.includeUserSettings property
+
+Set whether to output user settings in the page metadata. `true` by default.
+
+<b>Signature:</b>
+
+```typescript
+includeUserSettings?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irenderoptions.md b/docs/development/core/server/kibana-plugin-server.irenderoptions.md
index 34bed8b5e078c..27e462b58849d 100644
--- a/docs/development/core/server/kibana-plugin-server.irenderoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.irenderoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md)
-
-## IRenderOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IRenderOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md) | <code>boolean</code> | Set whether to output user settings in the page metadata. <code>true</code> by default. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md)
+
+## IRenderOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IRenderOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md) | <code>boolean</code> | Set whether to output user settings in the page metadata. <code>true</code> by default. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.delete.md b/docs/development/core/server/kibana-plugin-server.irouter.delete.md
index a479c03ecede3..0b87dbcda3316 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [delete](./kibana-plugin-server.irouter.delete.md)
-
-## IRouter.delete property
-
-Register a route handler for `DELETE` request.
-
-<b>Signature:</b>
-
-```typescript
-delete: RouteRegistrar<'delete'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [delete](./kibana-plugin-server.irouter.delete.md)
+
+## IRouter.delete property
+
+Register a route handler for `DELETE` request.
+
+<b>Signature:</b>
+
+```typescript
+delete: RouteRegistrar<'delete'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.get.md b/docs/development/core/server/kibana-plugin-server.irouter.get.md
index 0d52ef26f008c..e6f80378e007d 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.get.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [get](./kibana-plugin-server.irouter.get.md)
-
-## IRouter.get property
-
-Register a route handler for `GET` request.
-
-<b>Signature:</b>
-
-```typescript
-get: RouteRegistrar<'get'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [get](./kibana-plugin-server.irouter.get.md)
+
+## IRouter.get property
+
+Register a route handler for `GET` request.
+
+<b>Signature:</b>
+
+```typescript
+get: RouteRegistrar<'get'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md b/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
index ff71f13466cf8..86679d1f0c0c0 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md)
-
-## IRouter.handleLegacyErrors property
-
-Wrap a router handler to catch and converts legacy boom errors to proper custom errors.
-
-<b>Signature:</b>
-
-```typescript
-handleLegacyErrors: <P, Q, B>(handler: RequestHandler<P, Q, B>) => RequestHandler<P, Q, B>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md)
+
+## IRouter.handleLegacyErrors property
+
+Wrap a router handler to catch and converts legacy boom errors to proper custom errors.
+
+<b>Signature:</b>
+
+```typescript
+handleLegacyErrors: <P, Q, B>(handler: RequestHandler<P, Q, B>) => RequestHandler<P, Q, B>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.md b/docs/development/core/server/kibana-plugin-server.irouter.md
index a6536d2ed6763..3d82cd8245141 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md)
-
-## IRouter interface
-
-Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations.
-
-<b>Signature:</b>
-
-```typescript
-export interface IRouter 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [delete](./kibana-plugin-server.irouter.delete.md) | <code>RouteRegistrar&lt;'delete'&gt;</code> | Register a route handler for <code>DELETE</code> request. |
-|  [get](./kibana-plugin-server.irouter.get.md) | <code>RouteRegistrar&lt;'get'&gt;</code> | Register a route handler for <code>GET</code> request. |
-|  [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md) | <code>&lt;P, Q, B&gt;(handler: RequestHandler&lt;P, Q, B&gt;) =&gt; RequestHandler&lt;P, Q, B&gt;</code> | Wrap a router handler to catch and converts legacy boom errors to proper custom errors. |
-|  [patch](./kibana-plugin-server.irouter.patch.md) | <code>RouteRegistrar&lt;'patch'&gt;</code> | Register a route handler for <code>PATCH</code> request. |
-|  [post](./kibana-plugin-server.irouter.post.md) | <code>RouteRegistrar&lt;'post'&gt;</code> | Register a route handler for <code>POST</code> request. |
-|  [put](./kibana-plugin-server.irouter.put.md) | <code>RouteRegistrar&lt;'put'&gt;</code> | Register a route handler for <code>PUT</code> request. |
-|  [routerPath](./kibana-plugin-server.irouter.routerpath.md) | <code>string</code> | Resulted path |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md)
+
+## IRouter interface
+
+Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations.
+
+<b>Signature:</b>
+
+```typescript
+export interface IRouter 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [delete](./kibana-plugin-server.irouter.delete.md) | <code>RouteRegistrar&lt;'delete'&gt;</code> | Register a route handler for <code>DELETE</code> request. |
+|  [get](./kibana-plugin-server.irouter.get.md) | <code>RouteRegistrar&lt;'get'&gt;</code> | Register a route handler for <code>GET</code> request. |
+|  [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md) | <code>&lt;P, Q, B&gt;(handler: RequestHandler&lt;P, Q, B&gt;) =&gt; RequestHandler&lt;P, Q, B&gt;</code> | Wrap a router handler to catch and converts legacy boom errors to proper custom errors. |
+|  [patch](./kibana-plugin-server.irouter.patch.md) | <code>RouteRegistrar&lt;'patch'&gt;</code> | Register a route handler for <code>PATCH</code> request. |
+|  [post](./kibana-plugin-server.irouter.post.md) | <code>RouteRegistrar&lt;'post'&gt;</code> | Register a route handler for <code>POST</code> request. |
+|  [put](./kibana-plugin-server.irouter.put.md) | <code>RouteRegistrar&lt;'put'&gt;</code> | Register a route handler for <code>PUT</code> request. |
+|  [routerPath](./kibana-plugin-server.irouter.routerpath.md) | <code>string</code> | Resulted path |
+
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.patch.md b/docs/development/core/server/kibana-plugin-server.irouter.patch.md
index 460f1b9d23640..ef7ea6f18d646 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.patch.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.patch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [patch](./kibana-plugin-server.irouter.patch.md)
-
-## IRouter.patch property
-
-Register a route handler for `PATCH` request.
-
-<b>Signature:</b>
-
-```typescript
-patch: RouteRegistrar<'patch'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [patch](./kibana-plugin-server.irouter.patch.md)
+
+## IRouter.patch property
+
+Register a route handler for `PATCH` request.
+
+<b>Signature:</b>
+
+```typescript
+patch: RouteRegistrar<'patch'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.post.md b/docs/development/core/server/kibana-plugin-server.irouter.post.md
index a2ac27ebc731a..6e4a858cd342c 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.post.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.post.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [post](./kibana-plugin-server.irouter.post.md)
-
-## IRouter.post property
-
-Register a route handler for `POST` request.
-
-<b>Signature:</b>
-
-```typescript
-post: RouteRegistrar<'post'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [post](./kibana-plugin-server.irouter.post.md)
+
+## IRouter.post property
+
+Register a route handler for `POST` request.
+
+<b>Signature:</b>
+
+```typescript
+post: RouteRegistrar<'post'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.put.md b/docs/development/core/server/kibana-plugin-server.irouter.put.md
index 219c5d8805661..be6c235250fdd 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.put.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.put.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [put](./kibana-plugin-server.irouter.put.md)
-
-## IRouter.put property
-
-Register a route handler for `PUT` request.
-
-<b>Signature:</b>
-
-```typescript
-put: RouteRegistrar<'put'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [put](./kibana-plugin-server.irouter.put.md)
+
+## IRouter.put property
+
+Register a route handler for `PUT` request.
+
+<b>Signature:</b>
+
+```typescript
+put: RouteRegistrar<'put'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md b/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
index ab1b4a6baa7e9..0b777ae056d1a 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [routerPath](./kibana-plugin-server.irouter.routerpath.md)
-
-## IRouter.routerPath property
-
-Resulted path
-
-<b>Signature:</b>
-
-```typescript
-routerPath: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [routerPath](./kibana-plugin-server.irouter.routerpath.md)
+
+## IRouter.routerPath property
+
+Resulted path
+
+<b>Signature:</b>
+
+```typescript
+routerPath: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.isauthenticated.md b/docs/development/core/server/kibana-plugin-server.isauthenticated.md
index c927b6bea926c..bcc82bc614952 100644
--- a/docs/development/core/server/kibana-plugin-server.isauthenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.isauthenticated.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IsAuthenticated](./kibana-plugin-server.isauthenticated.md)
-
-## IsAuthenticated type
-
-Returns authentication status for a request.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IsAuthenticated = (request: KibanaRequest | LegacyRequest) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IsAuthenticated](./kibana-plugin-server.isauthenticated.md)
+
+## IsAuthenticated type
+
+Returns authentication status for a request.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IsAuthenticated = (request: KibanaRequest | LegacyRequest) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md b/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
index 7863d1b0ca49d..e6121a2087569 100644
--- a/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md)
-
-## ISavedObjectsRepository type
-
-See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ISavedObjectsRepository = Pick<SavedObjectsRepository, keyof SavedObjectsRepository>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md)
+
+## ISavedObjectsRepository type
+
+See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ISavedObjectsRepository = Pick<SavedObjectsRepository, keyof SavedObjectsRepository>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md b/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
index becd1d26d2473..54320473e0400 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md)
-
-## IScopedClusterClient type
-
-Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
-
-See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IScopedClusterClient = Pick<ScopedClusterClient, 'callAsCurrentUser' | 'callAsInternalUser'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md)
+
+## IScopedClusterClient type
+
+Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
+
+See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IScopedClusterClient = Pick<ScopedClusterClient, 'callAsCurrentUser' | 'callAsInternalUser'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
index 2e6daa58db25f..ad21f573d2048 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md)
-
-## IScopedRenderingClient interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IScopedRenderingClient 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [render(options)](./kibana-plugin-server.iscopedrenderingclient.render.md) | Generate a <code>KibanaResponse</code> which renders an HTML page bootstrapped with the <code>core</code> bundle. Intended as a response body for HTTP route handlers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md)
+
+## IScopedRenderingClient interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IScopedRenderingClient 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [render(options)](./kibana-plugin-server.iscopedrenderingclient.render.md) | Generate a <code>KibanaResponse</code> which renders an HTML page bootstrapped with the <code>core</code> bundle. Intended as a response body for HTTP route handlers. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
index 42cbc59c536a6..107df060ad306 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
@@ -1,41 +1,41 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) &gt; [render](./kibana-plugin-server.iscopedrenderingclient.render.md)
-
-## IScopedRenderingClient.render() method
-
-Generate a `KibanaResponse` which renders an HTML page bootstrapped with the `core` bundle. Intended as a response body for HTTP route handlers.
-
-<b>Signature:</b>
-
-```typescript
-render(options?: Pick<IRenderOptions, 'includeUserSettings'>): Promise<string>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  options | <code>Pick&lt;IRenderOptions, 'includeUserSettings'&gt;</code> |  |
-
-<b>Returns:</b>
-
-`Promise<string>`
-
-## Example
-
-
-```ts
-router.get(
-  { path: '/', validate: false },
-  (context, request, response) =>
-    response.ok({
-      body: await context.core.rendering.render(),
-      headers: {
-        'content-security-policy': context.core.http.csp.header,
-      },
-    })
-);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) &gt; [render](./kibana-plugin-server.iscopedrenderingclient.render.md)
+
+## IScopedRenderingClient.render() method
+
+Generate a `KibanaResponse` which renders an HTML page bootstrapped with the `core` bundle. Intended as a response body for HTTP route handlers.
+
+<b>Signature:</b>
+
+```typescript
+render(options?: Pick<IRenderOptions, 'includeUserSettings'>): Promise<string>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  options | <code>Pick&lt;IRenderOptions, 'includeUserSettings'&gt;</code> |  |
+
+<b>Returns:</b>
+
+`Promise<string>`
+
+## Example
+
+
+```ts
+router.get(
+  { path: '/', validate: false },
+  (context, request, response) =>
+    response.ok({
+      body: await context.core.rendering.render(),
+      headers: {
+        'content-security-policy': context.core.http.csp.header,
+      },
+    })
+);
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
index a73061f457a4b..aa266dc06429e 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [get](./kibana-plugin-server.iuisettingsclient.get.md)
-
-## IUiSettingsClient.get property
-
-Retrieves uiSettings values set by the user with fallbacks to default values if not specified.
-
-<b>Signature:</b>
-
-```typescript
-get: <T = any>(key: string) => Promise<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [get](./kibana-plugin-server.iuisettingsclient.get.md)
+
+## IUiSettingsClient.get property
+
+Retrieves uiSettings values set by the user with fallbacks to default values if not specified.
+
+<b>Signature:</b>
+
+```typescript
+get: <T = any>(key: string) => Promise<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
index 600116b86d1c0..a7d7550c272e1 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-server.iuisettingsclient.getall.md)
-
-## IUiSettingsClient.getAll property
-
-Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified.
-
-<b>Signature:</b>
-
-```typescript
-getAll: <T = any>() => Promise<Record<string, T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-server.iuisettingsclient.getall.md)
+
+## IUiSettingsClient.getAll property
+
+Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified.
+
+<b>Signature:</b>
+
+```typescript
+getAll: <T = any>() => Promise<Record<string, T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
index 16ae4c3dd8b36..ca2649aeec02e 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md)
-
-## IUiSettingsClient.getRegistered property
-
-Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
-
-<b>Signature:</b>
-
-```typescript
-getRegistered: () => Readonly<Record<string, UiSettingsParams>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md)
+
+## IUiSettingsClient.getRegistered property
+
+Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
+
+<b>Signature:</b>
+
+```typescript
+getRegistered: () => Readonly<Record<string, UiSettingsParams>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
index 94b7575519cee..5828b2718fc43 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md)
-
-## IUiSettingsClient.getUserProvided property
-
-Retrieves a set of all uiSettings values set by the user.
-
-<b>Signature:</b>
-
-```typescript
-getUserProvided: <T = any>() => Promise<Record<string, UserProvidedValues<T>>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md)
+
+## IUiSettingsClient.getUserProvided property
+
+Retrieves a set of all uiSettings values set by the user.
+
+<b>Signature:</b>
+
+```typescript
+getUserProvided: <T = any>() => Promise<Record<string, UserProvidedValues<T>>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
index a53655763a79b..447aa3278b0ee 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md)
-
-## IUiSettingsClient.isOverridden property
-
-Shows whether the uiSettings value set by the user.
-
-<b>Signature:</b>
-
-```typescript
-isOverridden: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md)
+
+## IUiSettingsClient.isOverridden property
+
+Shows whether the uiSettings value set by the user.
+
+<b>Signature:</b>
+
+```typescript
+isOverridden: (key: string) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
index c254321e02291..f25da163758a1 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md)
-
-## IUiSettingsClient interface
-
-Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI.
-
-<b>Signature:</b>
-
-```typescript
-export interface IUiSettingsClient 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-server.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string) =&gt; Promise&lt;T&gt;</code> | Retrieves uiSettings values set by the user with fallbacks to default values if not specified. |
-|  [getAll](./kibana-plugin-server.iuisettingsclient.getall.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, T&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified. |
-|  [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams&gt;&gt;</code> | Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) |
-|  [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, UserProvidedValues&lt;T&gt;&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user. |
-|  [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
-|  [remove](./kibana-plugin-server.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;void&gt;</code> | Removes uiSettings value by key. |
-|  [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md) | <code>(keys: string[]) =&gt; Promise&lt;void&gt;</code> | Removes multiple uiSettings values by keys. |
-|  [set](./kibana-plugin-server.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;void&gt;</code> | Writes uiSettings value and marks it as set by the user. |
-|  [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md) | <code>(changes: Record&lt;string, any&gt;) =&gt; Promise&lt;void&gt;</code> | Writes multiple uiSettings values and marks them as set by the user. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md)
+
+## IUiSettingsClient interface
+
+Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI.
+
+<b>Signature:</b>
+
+```typescript
+export interface IUiSettingsClient 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-server.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string) =&gt; Promise&lt;T&gt;</code> | Retrieves uiSettings values set by the user with fallbacks to default values if not specified. |
+|  [getAll](./kibana-plugin-server.iuisettingsclient.getall.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, T&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified. |
+|  [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams&gt;&gt;</code> | Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) |
+|  [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, UserProvidedValues&lt;T&gt;&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user. |
+|  [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
+|  [remove](./kibana-plugin-server.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;void&gt;</code> | Removes uiSettings value by key. |
+|  [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md) | <code>(keys: string[]) =&gt; Promise&lt;void&gt;</code> | Removes multiple uiSettings values by keys. |
+|  [set](./kibana-plugin-server.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;void&gt;</code> | Writes uiSettings value and marks it as set by the user. |
+|  [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md) | <code>(changes: Record&lt;string, any&gt;) =&gt; Promise&lt;void&gt;</code> | Writes multiple uiSettings values and marks them as set by the user. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
index fa15b11fd76e4..8ef4072479600 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [remove](./kibana-plugin-server.iuisettingsclient.remove.md)
-
-## IUiSettingsClient.remove property
-
-Removes uiSettings value by key.
-
-<b>Signature:</b>
-
-```typescript
-remove: (key: string) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [remove](./kibana-plugin-server.iuisettingsclient.remove.md)
+
+## IUiSettingsClient.remove property
+
+Removes uiSettings value by key.
+
+<b>Signature:</b>
+
+```typescript
+remove: (key: string) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
index ef5f994707aae..850d51d041900 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md)
-
-## IUiSettingsClient.removeMany property
-
-Removes multiple uiSettings values by keys.
-
-<b>Signature:</b>
-
-```typescript
-removeMany: (keys: string[]) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md)
+
+## IUiSettingsClient.removeMany property
+
+Removes multiple uiSettings values by keys.
+
+<b>Signature:</b>
+
+```typescript
+removeMany: (keys: string[]) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
index 5d5897a7159ad..e647948f416a8 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [set](./kibana-plugin-server.iuisettingsclient.set.md)
-
-## IUiSettingsClient.set property
-
-Writes uiSettings value and marks it as set by the user.
-
-<b>Signature:</b>
-
-```typescript
-set: (key: string, value: any) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [set](./kibana-plugin-server.iuisettingsclient.set.md)
+
+## IUiSettingsClient.set property
+
+Writes uiSettings value and marks it as set by the user.
+
+<b>Signature:</b>
+
+```typescript
+set: (key: string, value: any) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
index e1d2595d8e1c7..a724427fe5e16 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md)
-
-## IUiSettingsClient.setMany property
-
-Writes multiple uiSettings values and marks them as set by the user.
-
-<b>Signature:</b>
-
-```typescript
-setMany: (changes: Record<string, any>) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md)
+
+## IUiSettingsClient.setMany property
+
+Writes multiple uiSettings values and marks them as set by the user.
+
+<b>Signature:</b>
+
+```typescript
+setMany: (changes: Record<string, any>) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md b/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
index 1ef6beb82ea98..9d96515f3e2a0 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [(constructor)](./kibana-plugin-server.kibanarequest._constructor_.md)
-
-## KibanaRequest.(constructor)
-
-Constructs a new instance of the `KibanaRequest` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(request: Request, params: Params, query: Query, body: Body, withoutSecretHeaders: boolean);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>Request</code> |  |
-|  params | <code>Params</code> |  |
-|  query | <code>Query</code> |  |
-|  body | <code>Body</code> |  |
-|  withoutSecretHeaders | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [(constructor)](./kibana-plugin-server.kibanarequest._constructor_.md)
+
+## KibanaRequest.(constructor)
+
+Constructs a new instance of the `KibanaRequest` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(request: Request, params: Params, query: Query, body: Body, withoutSecretHeaders: boolean);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>Request</code> |  |
+|  params | <code>Params</code> |  |
+|  query | <code>Query</code> |  |
+|  body | <code>Body</code> |  |
+|  withoutSecretHeaders | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
index b1284f58c6815..cd19639fc5af2 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [body](./kibana-plugin-server.kibanarequest.body.md)
-
-## KibanaRequest.body property
-
-<b>Signature:</b>
-
-```typescript
-readonly body: Body;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [body](./kibana-plugin-server.kibanarequest.body.md)
+
+## KibanaRequest.body property
+
+<b>Signature:</b>
+
+```typescript
+readonly body: Body;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
index 5a002fc28f5db..f9056075ef7f8 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [events](./kibana-plugin-server.kibanarequest.events.md)
-
-## KibanaRequest.events property
-
-Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
-
-<b>Signature:</b>
-
-```typescript
-readonly events: KibanaRequestEvents;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [events](./kibana-plugin-server.kibanarequest.events.md)
+
+## KibanaRequest.events property
+
+Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
+
+<b>Signature:</b>
+
+```typescript
+readonly events: KibanaRequestEvents;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
index 8bd50e23608de..a5a2cf0d6c314 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [headers](./kibana-plugin-server.kibanarequest.headers.md)
-
-## KibanaRequest.headers property
-
-Readonly copy of incoming request headers.
-
-<b>Signature:</b>
-
-```typescript
-readonly headers: Headers;
-```
-
-## Remarks
-
-This property will contain a `filtered` copy of request headers.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [headers](./kibana-plugin-server.kibanarequest.headers.md)
+
+## KibanaRequest.headers property
+
+Readonly copy of incoming request headers.
+
+<b>Signature:</b>
+
+```typescript
+readonly headers: Headers;
+```
+
+## Remarks
+
+This property will contain a `filtered` copy of request headers.
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
index f6178d6eee56e..a643c70632d53 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md)
-
-## KibanaRequest.isSystemRequest property
-
-Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the `HttpFetchOptions#asSystemRequest` option.
-
-<b>Signature:</b>
-
-```typescript
-readonly isSystemRequest: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md)
+
+## KibanaRequest.isSystemRequest property
+
+Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the `HttpFetchOptions#asSystemRequest` option.
+
+<b>Signature:</b>
+
+```typescript
+readonly isSystemRequest: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.md
index bd02c4b9bc155..cb6745623e381 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md)
-
-## KibanaRequest class
-
-Kibana specific abstraction for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export declare class KibanaRequest<Params = unknown, Query = unknown, Body = unknown, Method extends RouteMethod = any> 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(request, params, query, body, withoutSecretHeaders)](./kibana-plugin-server.kibanarequest._constructor_.md) |  | Constructs a new instance of the <code>KibanaRequest</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [body](./kibana-plugin-server.kibanarequest.body.md) |  | <code>Body</code> |  |
-|  [events](./kibana-plugin-server.kibanarequest.events.md) |  | <code>KibanaRequestEvents</code> | Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) |
-|  [headers](./kibana-plugin-server.kibanarequest.headers.md) |  | <code>Headers</code> | Readonly copy of incoming request headers. |
-|  [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md) |  | <code>boolean</code> | Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the <code>HttpFetchOptions#asSystemRequest</code> option. |
-|  [params](./kibana-plugin-server.kibanarequest.params.md) |  | <code>Params</code> |  |
-|  [query](./kibana-plugin-server.kibanarequest.query.md) |  | <code>Query</code> |  |
-|  [route](./kibana-plugin-server.kibanarequest.route.md) |  | <code>RecursiveReadonly&lt;KibanaRequestRoute&lt;Method&gt;&gt;</code> | matched route details |
-|  [socket](./kibana-plugin-server.kibanarequest.socket.md) |  | <code>IKibanaSocket</code> | [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) |
-|  [url](./kibana-plugin-server.kibanarequest.url.md) |  | <code>Url</code> | a WHATWG URL standard object. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md)
+
+## KibanaRequest class
+
+Kibana specific abstraction for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export declare class KibanaRequest<Params = unknown, Query = unknown, Body = unknown, Method extends RouteMethod = any> 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(request, params, query, body, withoutSecretHeaders)](./kibana-plugin-server.kibanarequest._constructor_.md) |  | Constructs a new instance of the <code>KibanaRequest</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [body](./kibana-plugin-server.kibanarequest.body.md) |  | <code>Body</code> |  |
+|  [events](./kibana-plugin-server.kibanarequest.events.md) |  | <code>KibanaRequestEvents</code> | Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) |
+|  [headers](./kibana-plugin-server.kibanarequest.headers.md) |  | <code>Headers</code> | Readonly copy of incoming request headers. |
+|  [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md) |  | <code>boolean</code> | Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the <code>HttpFetchOptions#asSystemRequest</code> option. |
+|  [params](./kibana-plugin-server.kibanarequest.params.md) |  | <code>Params</code> |  |
+|  [query](./kibana-plugin-server.kibanarequest.query.md) |  | <code>Query</code> |  |
+|  [route](./kibana-plugin-server.kibanarequest.route.md) |  | <code>RecursiveReadonly&lt;KibanaRequestRoute&lt;Method&gt;&gt;</code> | matched route details |
+|  [socket](./kibana-plugin-server.kibanarequest.socket.md) |  | <code>IKibanaSocket</code> | [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) |
+|  [url](./kibana-plugin-server.kibanarequest.url.md) |  | <code>Url</code> | a WHATWG URL standard object. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
index c8902be737d81..37f4a3a28a41a 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [params](./kibana-plugin-server.kibanarequest.params.md)
-
-## KibanaRequest.params property
-
-<b>Signature:</b>
-
-```typescript
-readonly params: Params;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [params](./kibana-plugin-server.kibanarequest.params.md)
+
+## KibanaRequest.params property
+
+<b>Signature:</b>
+
+```typescript
+readonly params: Params;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
index 30a5739676403..3ec5d877283b3 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [query](./kibana-plugin-server.kibanarequest.query.md)
-
-## KibanaRequest.query property
-
-<b>Signature:</b>
-
-```typescript
-readonly query: Query;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [query](./kibana-plugin-server.kibanarequest.query.md)
+
+## KibanaRequest.query property
+
+<b>Signature:</b>
+
+```typescript
+readonly query: Query;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
index 1905070a99068..fb71327a7d129 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [route](./kibana-plugin-server.kibanarequest.route.md)
-
-## KibanaRequest.route property
-
-matched route details
-
-<b>Signature:</b>
-
-```typescript
-readonly route: RecursiveReadonly<KibanaRequestRoute<Method>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [route](./kibana-plugin-server.kibanarequest.route.md)
+
+## KibanaRequest.route property
+
+matched route details
+
+<b>Signature:</b>
+
+```typescript
+readonly route: RecursiveReadonly<KibanaRequestRoute<Method>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
index c55f4656c993c..b1b83ab6145cd 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [socket](./kibana-plugin-server.kibanarequest.socket.md)
-
-## KibanaRequest.socket property
-
-[IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
-
-<b>Signature:</b>
-
-```typescript
-readonly socket: IKibanaSocket;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [socket](./kibana-plugin-server.kibanarequest.socket.md)
+
+## KibanaRequest.socket property
+
+[IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
+
+<b>Signature:</b>
+
+```typescript
+readonly socket: IKibanaSocket;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
index 62d1f97159476..e77b77edede4d 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [url](./kibana-plugin-server.kibanarequest.url.md)
-
-## KibanaRequest.url property
-
-a WHATWG URL standard object.
-
-<b>Signature:</b>
-
-```typescript
-readonly url: Url;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [url](./kibana-plugin-server.kibanarequest.url.md)
+
+## KibanaRequest.url property
+
+a WHATWG URL standard object.
+
+<b>Signature:</b>
+
+```typescript
+readonly url: Url;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
index d292d5d60bf5f..25d228e6ec276 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) &gt; [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md)
-
-## KibanaRequestEvents.aborted$ property
-
-Observable that emits once if and when the request has been aborted.
-
-<b>Signature:</b>
-
-```typescript
-aborted$: Observable<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) &gt; [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md)
+
+## KibanaRequestEvents.aborted$ property
+
+Observable that emits once if and when the request has been aborted.
+
+<b>Signature:</b>
+
+```typescript
+aborted$: Observable<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
index 9137c4673a60c..85cb6e397c3ec 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
-
-## KibanaRequestEvents interface
-
-Request events.
-
-<b>Signature:</b>
-
-```typescript
-export interface KibanaRequestEvents 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md) | <code>Observable&lt;void&gt;</code> | Observable that emits once if and when the request has been aborted. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
+
+## KibanaRequestEvents interface
+
+Request events.
+
+<b>Signature:</b>
+
+```typescript
+export interface KibanaRequestEvents 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md) | <code>Observable&lt;void&gt;</code> | Observable that emits once if and when the request has been aborted. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
index 2983639458200..8a63aa52c0c9d 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md)
-
-## KibanaRequestRoute interface
-
-Request specific route information exposed to a handler.
-
-<b>Signature:</b>
-
-```typescript
-export interface KibanaRequestRoute<Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.kibanarequestroute.method.md) | <code>Method</code> |  |
-|  [options](./kibana-plugin-server.kibanarequestroute.options.md) | <code>KibanaRequestRouteOptions&lt;Method&gt;</code> |  |
-|  [path](./kibana-plugin-server.kibanarequestroute.path.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md)
+
+## KibanaRequestRoute interface
+
+Request specific route information exposed to a handler.
+
+<b>Signature:</b>
+
+```typescript
+export interface KibanaRequestRoute<Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.kibanarequestroute.method.md) | <code>Method</code> |  |
+|  [options](./kibana-plugin-server.kibanarequestroute.options.md) | <code>KibanaRequestRouteOptions&lt;Method&gt;</code> |  |
+|  [path](./kibana-plugin-server.kibanarequestroute.path.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
index 5775d28b1e053..9a60a50255756 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [method](./kibana-plugin-server.kibanarequestroute.method.md)
-
-## KibanaRequestRoute.method property
-
-<b>Signature:</b>
-
-```typescript
-method: Method;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [method](./kibana-plugin-server.kibanarequestroute.method.md)
+
+## KibanaRequestRoute.method property
+
+<b>Signature:</b>
+
+```typescript
+method: Method;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
index 438263f61eb20..82a46c09b0aa6 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [options](./kibana-plugin-server.kibanarequestroute.options.md)
-
-## KibanaRequestRoute.options property
-
-<b>Signature:</b>
-
-```typescript
-options: KibanaRequestRouteOptions<Method>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [options](./kibana-plugin-server.kibanarequestroute.options.md)
+
+## KibanaRequestRoute.options property
+
+<b>Signature:</b>
+
+```typescript
+options: KibanaRequestRouteOptions<Method>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
index 17d4b588e6d44..01e623a2f47c5 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [path](./kibana-plugin-server.kibanarequestroute.path.md)
-
-## KibanaRequestRoute.path property
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [path](./kibana-plugin-server.kibanarequestroute.path.md)
+
+## KibanaRequestRoute.path property
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md b/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
index f48711ac11f92..71e0169137a72 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md)
-
-## KibanaRequestRouteOptions type
-
-Route options: If 'GET' or 'OPTIONS' method, body options won't be returned.
-
-<b>Signature:</b>
-
-```typescript
-export declare type KibanaRequestRouteOptions<Method extends RouteMethod> = Method extends 'get' | 'options' ? Required<Omit<RouteConfigOptions<Method>, 'body'>> : Required<RouteConfigOptions<Method>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md)
+
+## KibanaRequestRouteOptions type
+
+Route options: If 'GET' or 'OPTIONS' method, body options won't be returned.
+
+<b>Signature:</b>
+
+```typescript
+export declare type KibanaRequestRouteOptions<Method extends RouteMethod> = Method extends 'get' | 'options' ? Required<Omit<RouteConfigOptions<Method>, 'body'>> : Required<RouteConfigOptions<Method>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md b/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
index 2e496aa0c46fc..cfedaa2d23dd2 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
@@ -1,118 +1,118 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md)
-
-## kibanaResponseFactory variable
-
-Set of helpers used to create `KibanaResponse` to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution.
-
-<b>Signature:</b>
-
-```typescript
-kibanaResponseFactory: {
-    custom: <T extends string | Error | Buffer | Stream | Record<string, any> | {
-        message: string | Error;
-        attributes?: Record<string, any> | undefined;
-    } | undefined>(options: CustomHttpResponseOptions<T>) => KibanaResponse<T>;
-    badRequest: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    unauthorized: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    forbidden: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    notFound: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    conflict: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    internalError: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    customError: (options: CustomHttpResponseOptions<ResponseError>) => KibanaResponse<ResponseError>;
-    redirected: (options: RedirectResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    ok: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    accepted: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    noContent: (options?: HttpResponseOptions) => KibanaResponse<undefined>;
-}
-```
-
-## Example
-
-1. Successful response. Supported types of response body are: - `undefined`<!-- -->, no content to send. - `string`<!-- -->, send text - `JSON`<!-- -->, send JSON object, HTTP server will throw if given object is not valid (has circular references, for example) - `Stream` send data stream - `Buffer` send binary stream
-
-```js
-return response.ok();
-return response.ok({ body: 'ack' });
-return response.ok({ body: { id: '1' } });
-return response.ok({ body: Buffer.from(...) });
-
-const stream = new Stream.PassThrough();
-fs.createReadStream('./file').pipe(stream);
-return res.ok({ body: stream });
-
-```
-HTTP headers are configurable via response factory parameter `options` [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)<!-- -->.
-
-```js
-return response.ok({
-  body: { id: '1' },
-  headers: {
-    'content-type': 'application/json'
-  }
-});
-
-```
-2. Redirection response. Redirection URL is configures via 'Location' header.
-
-```js
-return response.redirected({
-  body: 'The document has moved',
-  headers: {
-   location: '/new-url',
-  },
-});
-
-```
-3. Error response. You may pass an error message to the client, where error message can be: - `string` send message text - `Error` send the message text of given Error object. - `{ message: string | Error, attributes: {data: Record<string, any>, ...} }` - send message text and attach additional error data.
-
-```js
-return response.unauthorized({
-  body: 'User has no access to the requested resource.',
-  headers: {
-    'WWW-Authenticate': 'challenge',
-  }
-})
-return response.badRequest();
-return response.badRequest({ body: 'validation error' });
-
-try {
-  // ...
-} catch(error){
-  return response.badRequest({ body: error });
-}
-
-return response.badRequest({
- body:{
-   message: 'validation error',
-   attributes: {
-     requestBody: request.body,
-     failedFields: validationResult
-   }
- }
-});
-
-try {
-  // ...
-} catch(error) {
-  return response.badRequest({
-    body: error
-  });
-}
-
-
-```
-4. Custom response. `ResponseFactory` may not cover your use case, so you can use the `custom` function to customize the response.
-
-```js
-return response.custom({
-  body: 'ok',
-  statusCode: 201,
-  headers: {
-    location: '/created-url'
-  }
-})
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md)
+
+## kibanaResponseFactory variable
+
+Set of helpers used to create `KibanaResponse` to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution.
+
+<b>Signature:</b>
+
+```typescript
+kibanaResponseFactory: {
+    custom: <T extends string | Error | Buffer | Stream | Record<string, any> | {
+        message: string | Error;
+        attributes?: Record<string, any> | undefined;
+    } | undefined>(options: CustomHttpResponseOptions<T>) => KibanaResponse<T>;
+    badRequest: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    unauthorized: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    forbidden: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    notFound: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    conflict: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    internalError: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    customError: (options: CustomHttpResponseOptions<ResponseError>) => KibanaResponse<ResponseError>;
+    redirected: (options: RedirectResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    ok: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    accepted: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    noContent: (options?: HttpResponseOptions) => KibanaResponse<undefined>;
+}
+```
+
+## Example
+
+1. Successful response. Supported types of response body are: - `undefined`<!-- -->, no content to send. - `string`<!-- -->, send text - `JSON`<!-- -->, send JSON object, HTTP server will throw if given object is not valid (has circular references, for example) - `Stream` send data stream - `Buffer` send binary stream
+
+```js
+return response.ok();
+return response.ok({ body: 'ack' });
+return response.ok({ body: { id: '1' } });
+return response.ok({ body: Buffer.from(...) });
+
+const stream = new Stream.PassThrough();
+fs.createReadStream('./file').pipe(stream);
+return res.ok({ body: stream });
+
+```
+HTTP headers are configurable via response factory parameter `options` [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)<!-- -->.
+
+```js
+return response.ok({
+  body: { id: '1' },
+  headers: {
+    'content-type': 'application/json'
+  }
+});
+
+```
+2. Redirection response. Redirection URL is configures via 'Location' header.
+
+```js
+return response.redirected({
+  body: 'The document has moved',
+  headers: {
+   location: '/new-url',
+  },
+});
+
+```
+3. Error response. You may pass an error message to the client, where error message can be: - `string` send message text - `Error` send the message text of given Error object. - `{ message: string | Error, attributes: {data: Record<string, any>, ...} }` - send message text and attach additional error data.
+
+```js
+return response.unauthorized({
+  body: 'User has no access to the requested resource.',
+  headers: {
+    'WWW-Authenticate': 'challenge',
+  }
+})
+return response.badRequest();
+return response.badRequest({ body: 'validation error' });
+
+try {
+  // ...
+} catch(error){
+  return response.badRequest({ body: error });
+}
+
+return response.badRequest({
+ body:{
+   message: 'validation error',
+   attributes: {
+     requestBody: request.body,
+     failedFields: validationResult
+   }
+ }
+});
+
+try {
+  // ...
+} catch(error) {
+  return response.badRequest({
+    body: error
+  });
+}
+
+
+```
+4. Custom response. `ResponseFactory` may not cover your use case, so you can use the `custom` function to customize the response.
+
+```js
+return response.custom({
+  body: 'ok',
+  statusCode: 201,
+  headers: {
+    location: '/created-url'
+  }
+})
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.knownheaders.md b/docs/development/core/server/kibana-plugin-server.knownheaders.md
index 986794f3aaa61..69c3939cfa084 100644
--- a/docs/development/core/server/kibana-plugin-server.knownheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.knownheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KnownHeaders](./kibana-plugin-server.knownheaders.md)
-
-## KnownHeaders type
-
-Set of well-known HTTP headers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type KnownHeaders = KnownKeys<IncomingHttpHeaders>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KnownHeaders](./kibana-plugin-server.knownheaders.md)
+
+## KnownHeaders type
+
+Set of well-known HTTP headers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type KnownHeaders = KnownKeys<IncomingHttpHeaders>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyrequest.md b/docs/development/core/server/kibana-plugin-server.legacyrequest.md
index a794b3bbe87c7..329c2fb805312 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyrequest.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyRequest](./kibana-plugin-server.legacyrequest.md)
-
-## LegacyRequest interface
-
-> Warning: This API is now obsolete.
-> 
-> `hapi` request object, supported during migration process only for backward compatibility.
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyRequest extends Request 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyRequest](./kibana-plugin-server.legacyrequest.md)
+
+## LegacyRequest interface
+
+> Warning: This API is now obsolete.
+> 
+> `hapi` request object, supported during migration process only for backward compatibility.
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyRequest extends Request 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
index c4c043a903d06..2fa3e587df714 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [core](./kibana-plugin-server.legacyservicesetupdeps.core.md)
-
-## LegacyServiceSetupDeps.core property
-
-<b>Signature:</b>
-
-```typescript
-core: LegacyCoreSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [core](./kibana-plugin-server.legacyservicesetupdeps.core.md)
+
+## LegacyServiceSetupDeps.core property
+
+<b>Signature:</b>
+
+```typescript
+core: LegacyCoreSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
index 7961cedd2c054..5ee3c9a2113fd 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md)
-
-## LegacyServiceSetupDeps interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyServiceSetupDeps 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.legacyservicesetupdeps.core.md) | <code>LegacyCoreSetup</code> |  |
-|  [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md)
+
+## LegacyServiceSetupDeps interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyServiceSetupDeps 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.legacyservicesetupdeps.core.md) | <code>LegacyCoreSetup</code> |  |
+|  [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
index a51aa478caab5..3917b7c9ac752 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md)
-
-## LegacyServiceSetupDeps.plugins property
-
-<b>Signature:</b>
-
-```typescript
-plugins: Record<string, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md)
+
+## LegacyServiceSetupDeps.plugins property
+
+<b>Signature:</b>
+
+```typescript
+plugins: Record<string, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
index 47018f4594967..bcd7789698b08 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [core](./kibana-plugin-server.legacyservicestartdeps.core.md)
-
-## LegacyServiceStartDeps.core property
-
-<b>Signature:</b>
-
-```typescript
-core: LegacyCoreStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [core](./kibana-plugin-server.legacyservicestartdeps.core.md)
+
+## LegacyServiceStartDeps.core property
+
+<b>Signature:</b>
+
+```typescript
+core: LegacyCoreStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
index 602fe5356d525..4005c643fdb32 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md)
-
-## LegacyServiceStartDeps interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyServiceStartDeps 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.legacyservicestartdeps.core.md) | <code>LegacyCoreStart</code> |  |
-|  [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md)
+
+## LegacyServiceStartDeps interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyServiceStartDeps 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.legacyservicestartdeps.core.md) | <code>LegacyCoreStart</code> |  |
+|  [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
index a6d774d35e42e..5f77289ce0a52 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md)
-
-## LegacyServiceStartDeps.plugins property
-
-<b>Signature:</b>
-
-```typescript
-plugins: Record<string, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md)
+
+## LegacyServiceStartDeps.plugins property
+
+<b>Signature:</b>
+
+```typescript
+plugins: Record<string, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md b/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
index f1c427203dd24..ade2e5091df8e 100644
--- a/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md)
-
-## LifecycleResponseFactory type
-
-Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client.
-
-<b>Signature:</b>
-
-```typescript
-export declare type LifecycleResponseFactory = typeof lifecycleResponseFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md)
+
+## LifecycleResponseFactory type
+
+Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client.
+
+<b>Signature:</b>
+
+```typescript
+export declare type LifecycleResponseFactory = typeof lifecycleResponseFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.logger.debug.md b/docs/development/core/server/kibana-plugin-server.logger.debug.md
index 9a775896f618f..3a37615ecc8c5 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.debug.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.debug.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [debug](./kibana-plugin-server.logger.debug.md)
-
-## Logger.debug() method
-
-Log messages useful for debugging and interactive investigation
-
-<b>Signature:</b>
-
-```typescript
-debug(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [debug](./kibana-plugin-server.logger.debug.md)
+
+## Logger.debug() method
+
+Log messages useful for debugging and interactive investigation
+
+<b>Signature:</b>
+
+```typescript
+debug(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.error.md b/docs/development/core/server/kibana-plugin-server.logger.error.md
index 482770d267095..d59ccad3536a0 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.error.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.error.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [error](./kibana-plugin-server.logger.error.md)
-
-## Logger.error() method
-
-Logs abnormal or unexpected errors or messages that caused a failure in the application flow
-
-<b>Signature:</b>
-
-```typescript
-error(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [error](./kibana-plugin-server.logger.error.md)
+
+## Logger.error() method
+
+Logs abnormal or unexpected errors or messages that caused a failure in the application flow
+
+<b>Signature:</b>
+
+```typescript
+error(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.fatal.md b/docs/development/core/server/kibana-plugin-server.logger.fatal.md
index 68f502a54f560..41751be46627d 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.fatal.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.fatal.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [fatal](./kibana-plugin-server.logger.fatal.md)
-
-## Logger.fatal() method
-
-Logs abnormal or unexpected errors or messages that caused an unrecoverable failure
-
-<b>Signature:</b>
-
-```typescript
-fatal(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [fatal](./kibana-plugin-server.logger.fatal.md)
+
+## Logger.fatal() method
+
+Logs abnormal or unexpected errors or messages that caused an unrecoverable failure
+
+<b>Signature:</b>
+
+```typescript
+fatal(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.get.md b/docs/development/core/server/kibana-plugin-server.logger.get.md
index b4a2d8a124260..6b84f27688003 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.get.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.get.md
@@ -1,33 +1,33 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [get](./kibana-plugin-server.logger.get.md)
-
-## Logger.get() method
-
-Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context.
-
-<b>Signature:</b>
-
-```typescript
-get(...childContextPaths: string[]): Logger;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  childContextPaths | <code>string[]</code> |  |
-
-<b>Returns:</b>
-
-`Logger`
-
-## Example
-
-
-```typescript
-const logger = loggerFactory.get('plugin', 'service'); // 'plugin.service' context
-const subLogger = logger.get('feature'); // 'plugin.service.feature' context
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [get](./kibana-plugin-server.logger.get.md)
+
+## Logger.get() method
+
+Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context.
+
+<b>Signature:</b>
+
+```typescript
+get(...childContextPaths: string[]): Logger;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  childContextPaths | <code>string[]</code> |  |
+
+<b>Returns:</b>
+
+`Logger`
+
+## Example
+
+
+```typescript
+const logger = loggerFactory.get('plugin', 'service'); // 'plugin.service' context
+const subLogger = logger.get('feature'); // 'plugin.service.feature' context
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.info.md b/docs/development/core/server/kibana-plugin-server.logger.info.md
index 28a15f538f739..f70ff3e750ab1 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.info.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.info.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [info](./kibana-plugin-server.logger.info.md)
-
-## Logger.info() method
-
-Logs messages related to general application flow
-
-<b>Signature:</b>
-
-```typescript
-info(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [info](./kibana-plugin-server.logger.info.md)
+
+## Logger.info() method
+
+Logs messages related to general application flow
+
+<b>Signature:</b>
+
+```typescript
+info(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.md b/docs/development/core/server/kibana-plugin-server.logger.md
index 068f51f409f09..a8205dd5915a0 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md)
-
-## Logger interface
-
-Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface Logger 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [debug(message, meta)](./kibana-plugin-server.logger.debug.md) | Log messages useful for debugging and interactive investigation |
-|  [error(errorOrMessage, meta)](./kibana-plugin-server.logger.error.md) | Logs abnormal or unexpected errors or messages that caused a failure in the application flow |
-|  [fatal(errorOrMessage, meta)](./kibana-plugin-server.logger.fatal.md) | Logs abnormal or unexpected errors or messages that caused an unrecoverable failure |
-|  [get(childContextPaths)](./kibana-plugin-server.logger.get.md) | Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context. |
-|  [info(message, meta)](./kibana-plugin-server.logger.info.md) | Logs messages related to general application flow |
-|  [trace(message, meta)](./kibana-plugin-server.logger.trace.md) | Log messages at the most detailed log level |
-|  [warn(errorOrMessage, meta)](./kibana-plugin-server.logger.warn.md) | Logs abnormal or unexpected errors or messages |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md)
+
+## Logger interface
+
+Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface Logger 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [debug(message, meta)](./kibana-plugin-server.logger.debug.md) | Log messages useful for debugging and interactive investigation |
+|  [error(errorOrMessage, meta)](./kibana-plugin-server.logger.error.md) | Logs abnormal or unexpected errors or messages that caused a failure in the application flow |
+|  [fatal(errorOrMessage, meta)](./kibana-plugin-server.logger.fatal.md) | Logs abnormal or unexpected errors or messages that caused an unrecoverable failure |
+|  [get(childContextPaths)](./kibana-plugin-server.logger.get.md) | Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context. |
+|  [info(message, meta)](./kibana-plugin-server.logger.info.md) | Logs messages related to general application flow |
+|  [trace(message, meta)](./kibana-plugin-server.logger.trace.md) | Log messages at the most detailed log level |
+|  [warn(errorOrMessage, meta)](./kibana-plugin-server.logger.warn.md) | Logs abnormal or unexpected errors or messages |
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.trace.md b/docs/development/core/server/kibana-plugin-server.logger.trace.md
index e7aeeec21243b..8e9613ec39d5c 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.trace.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.trace.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [trace](./kibana-plugin-server.logger.trace.md)
-
-## Logger.trace() method
-
-Log messages at the most detailed log level
-
-<b>Signature:</b>
-
-```typescript
-trace(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [trace](./kibana-plugin-server.logger.trace.md)
+
+## Logger.trace() method
+
+Log messages at the most detailed log level
+
+<b>Signature:</b>
+
+```typescript
+trace(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.warn.md b/docs/development/core/server/kibana-plugin-server.logger.warn.md
index 10e5cd5612fb2..935718c0de788 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.warn.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.warn.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [warn](./kibana-plugin-server.logger.warn.md)
-
-## Logger.warn() method
-
-Logs abnormal or unexpected errors or messages
-
-<b>Signature:</b>
-
-```typescript
-warn(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [warn](./kibana-plugin-server.logger.warn.md)
+
+## Logger.warn() method
+
+Logs abnormal or unexpected errors or messages
+
+<b>Signature:</b>
+
+```typescript
+warn(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md b/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
index b38820f6ba4ba..95765157665a0 100644
--- a/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
+++ b/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md) &gt; [get](./kibana-plugin-server.loggerfactory.get.md)
-
-## LoggerFactory.get() method
-
-Returns a `Logger` instance for the specified context.
-
-<b>Signature:</b>
-
-```typescript
-get(...contextParts: string[]): Logger;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextParts | <code>string[]</code> | Parts of the context to return logger for. For example get('plugins', 'pid') will return a logger for the <code>plugins.pid</code> context. |
-
-<b>Returns:</b>
-
-`Logger`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md) &gt; [get](./kibana-plugin-server.loggerfactory.get.md)
+
+## LoggerFactory.get() method
+
+Returns a `Logger` instance for the specified context.
+
+<b>Signature:</b>
+
+```typescript
+get(...contextParts: string[]): Logger;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextParts | <code>string[]</code> | Parts of the context to return logger for. For example get('plugins', 'pid') will return a logger for the <code>plugins.pid</code> context. |
+
+<b>Returns:</b>
+
+`Logger`
+
diff --git a/docs/development/core/server/kibana-plugin-server.loggerfactory.md b/docs/development/core/server/kibana-plugin-server.loggerfactory.md
index 07d5a4c012c4a..31e18ba4bb47b 100644
--- a/docs/development/core/server/kibana-plugin-server.loggerfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.loggerfactory.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md)
-
-## LoggerFactory interface
-
-The single purpose of `LoggerFactory` interface is to define a way to retrieve a context-based logger instance.
-
-<b>Signature:</b>
-
-```typescript
-export interface LoggerFactory 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [get(contextParts)](./kibana-plugin-server.loggerfactory.get.md) | Returns a <code>Logger</code> instance for the specified context. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md)
+
+## LoggerFactory interface
+
+The single purpose of `LoggerFactory` interface is to define a way to retrieve a context-based logger instance.
+
+<b>Signature:</b>
+
+```typescript
+export interface LoggerFactory 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [get(contextParts)](./kibana-plugin-server.loggerfactory.get.md) | Returns a <code>Logger</code> instance for the specified context. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.logmeta.md b/docs/development/core/server/kibana-plugin-server.logmeta.md
index 268cb7419db16..11dbd01d7c8dc 100644
--- a/docs/development/core/server/kibana-plugin-server.logmeta.md
+++ b/docs/development/core/server/kibana-plugin-server.logmeta.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LogMeta](./kibana-plugin-server.logmeta.md)
-
-## LogMeta interface
-
-Contextual metadata
-
-<b>Signature:</b>
-
-```typescript
-export interface LogMeta 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LogMeta](./kibana-plugin-server.logmeta.md)
+
+## LogMeta interface
+
+Contextual metadata
+
+<b>Signature:</b>
+
+```typescript
+export interface LogMeta 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.md b/docs/development/core/server/kibana-plugin-server.md
index fbce46c3f4ad9..e7b1334652540 100644
--- a/docs/development/core/server/kibana-plugin-server.md
+++ b/docs/development/core/server/kibana-plugin-server.md
@@ -1,228 +1,228 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md)
-
-## kibana-plugin-server package
-
-The Kibana Core APIs for server-side plugins.
-
-A plugin requires a `kibana.json` file at it's root directory that follows [the manfiest schema](./kibana-plugin-server.pluginmanifest.md) to define static plugin information required to load the plugin.
-
-A plugin's `server/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-server.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-server.plugin.md)<!-- -->.
-
-The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-server.coresetup.md) or [CoreStart](./kibana-plugin-server.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
-
-## Classes
-
-|  Class | Description |
-|  --- | --- |
-|  [BasePath](./kibana-plugin-server.basepath.md) | Access or manipulate the Kibana base path |
-|  [ClusterClient](./kibana-plugin-server.clusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [CspConfig](./kibana-plugin-server.cspconfig.md) | CSP configuration for use in Kibana. |
-|  [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) | Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as <code>body.error.header[WWW-Authenticate]</code> |
-|  [KibanaRequest](./kibana-plugin-server.kibanarequest.md) | Kibana specific abstraction for an incoming request. |
-|  [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) | Error to return when the validation is not successful. |
-|  [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) |  |
-|  [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |  |
-|  [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |  |
-|  [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
-
-## Enumerations
-
-|  Enumeration | Description |
-|  --- | --- |
-|  [AuthResultType](./kibana-plugin-server.authresulttype.md) |  |
-|  [AuthStatus](./kibana-plugin-server.authstatus.md) | Status indicating an outcome of the authentication. |
-
-## Interfaces
-
-|  Interface | Description |
-|  --- | --- |
-|  [APICaller](./kibana-plugin-server.apicaller.md) |  |
-|  [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) |  |
-|  [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) |  |
-|  [Authenticated](./kibana-plugin-server.authenticated.md) |  |
-|  [AuthResultParams](./kibana-plugin-server.authresultparams.md) | Result of an incoming request authentication. |
-|  [AuthToolkit](./kibana-plugin-server.authtoolkit.md) | A tool set defining an outcome of Auth interceptor for incoming request. |
-|  [CallAPIOptions](./kibana-plugin-server.callapioptions.md) | The set of options that defines how API call should be made and result be processed. |
-|  [Capabilities](./kibana-plugin-server.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
-|  [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) | APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.<!-- -->Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the <code>registerProvider</code> method.<!-- -->Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the <code>registerSwitcher</code> method.<!-- -->Refers to the methods documentation for complete description and examples. |
-|  [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) | APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->. |
-|  [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) | Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.<!-- -->See methods documentation for more detailed examples. |
-|  [ContextSetup](./kibana-plugin-server.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [CoreSetup](./kibana-plugin-server.coresetup.md) | Context passed to the plugins <code>setup</code> method. |
-|  [CoreStart](./kibana-plugin-server.corestart.md) | Context passed to the plugins <code>start</code> method. |
-|  [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) | HTTP response parameters for a response with adjustable status code. |
-|  [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) |  |
-|  [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) |  |
-|  [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) |  |
-|  [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) | UiSettings deprecation field options. |
-|  [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) | Small container object used to expose information about discovered plugins that may or may not have been started. |
-|  [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) |  |
-|  [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |  |
-|  [EnvironmentMode](./kibana-plugin-server.environmentmode.md) |  |
-|  [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) | HTTP response parameters |
-|  [FakeRequest](./kibana-plugin-server.fakerequest.md) | Fake request object created manually by Kibana plugins. |
-|  [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) | HTTP response parameters |
-|  [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) | Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to <code>hapi</code> server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs. |
-|  [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) |  |
-|  [IContextContainer](./kibana-plugin-server.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [ICspConfig](./kibana-plugin-server.icspconfig.md) | CSP configuration for use in Kibana. |
-|  [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) | A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution |
-|  [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) | A tiny abstraction for TCP socket. |
-|  [ImageValidation](./kibana-plugin-server.imagevalidation.md) |  |
-|  [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md) |  |
-|  [IRenderOptions](./kibana-plugin-server.irenderoptions.md) |  |
-|  [IRouter](./kibana-plugin-server.irouter.md) | Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations. |
-|  [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) |  |
-|  [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) | Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. |
-|  [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) | Request events. |
-|  [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) | Request specific route information exposed to a handler. |
-|  [LegacyRequest](./kibana-plugin-server.legacyrequest.md) |  |
-|  [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) |  |
-|  [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) |  |
-|  [Logger](./kibana-plugin-server.logger.md) | Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins. |
-|  [LoggerFactory](./kibana-plugin-server.loggerfactory.md) | The single purpose of <code>LoggerFactory</code> interface is to define a way to retrieve a context-based logger instance. |
-|  [LogMeta](./kibana-plugin-server.logmeta.md) | Contextual metadata |
-|  [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) | A tool set defining an outcome of OnPostAuth interceptor for incoming request. |
-|  [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
-|  [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) | Additional data to extend a response. |
-|  [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) | Response status code. |
-|  [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
-|  [PackageInfo](./kibana-plugin-server.packageinfo.md) |  |
-|  [Plugin](./kibana-plugin-server.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
-|  [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) | Describes a plugin configuration properties. |
-|  [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) | Context that's available to plugins during initialization stage. |
-|  [PluginManifest](./kibana-plugin-server.pluginmanifest.md) | Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file. |
-|  [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) |  |
-|  [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) |  |
-|  [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) | Plugin specific context passed to a route handler.<!-- -->Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request |
-|  [RouteConfig](./kibana-plugin-server.routeconfig.md) | Route specific configuration. |
-|  [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) | Additional route options. |
-|  [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) | Additional body options for a route |
-|  [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) | Validation result factory to be used in the custom validation function to return the valid data or validation errors<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->. |
-|  [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) | The configuration object to the RouteValidator class. Set <code>params</code>, <code>query</code> and/or <code>body</code> to specify the validation logic to follow for that property. |
-|  [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) | Additional options for the RouteValidator class to modify its default behaviour. |
-|  [SavedObject](./kibana-plugin-server.savedobject.md) |  |
-|  [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) | A reference to another saved object. |
-|  [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) |  |
-|  [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) |  |
-|  [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) |  |
-|  [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) |  |
-|  [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) |  |
-|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) |  |
-|  [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) |  |
-|  [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) | Options to control the creation of the Saved Objects Client. |
-|  [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) | Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance. |
-|  [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) |  |
-|  [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) |  |
-|  [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) |  |
-|  [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) | Options controlling the export operation. |
-|  [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) | Structure of the export result details entry |
-|  [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) |  |
-|  [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
-|  [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
-|  [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) | Represents a failure to import. |
-|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
-|  [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) | Options to control the import operation. |
-|  [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) | The response describing the result of an import. |
-|  [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
-|  [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
-|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
-|  [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) |  |
-|  [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) |  |
-|  [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) | A raw document as represented directly in the saved object index. |
-|  [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) | Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) |
-|  [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) | Options to control the "resolve import" operation. |
-|  [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) | Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers. |
-|  [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects. |
-|  [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) |  |
-|  [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) |  |
-|  [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) | Return type from a function to validate cookie contents. |
-|  [SessionStorage](./kibana-plugin-server.sessionstorage.md) | Provides an interface to store and retrieve data across requests. |
-|  [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) | Configuration used to create HTTP session storage based on top of cookie mechanism. |
-|  [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) | SessionStorage factory to bind one to an incoming request |
-|  [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) | StringValidation with regex object |
-|  [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) | StringValidation as regex string |
-|  [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
-|  [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |  |
-|  [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |  |
-|  [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) | Describes the values explicitly set by user. |
-|  [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) | APIs to access the application's instance uuid. |
-
-## Variables
-
-|  Variable | Description |
-|  --- | --- |
-|  [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Set of helpers used to create <code>KibanaResponse</code> to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution. |
-|  [validBodyOutput](./kibana-plugin-server.validbodyoutput.md) | The set of valid body.output |
-
-## Type Aliases
-
-|  Type Alias | Description |
-|  --- | --- |
-|  [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md) | See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->. |
-|  [AuthHeaders](./kibana-plugin-server.authheaders.md) | Auth Headers map |
-|  [AuthResult](./kibana-plugin-server.authresult.md) |  |
-|  [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) | Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration. |
-|  [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md) | Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) |
-|  [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) | A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.<!-- -->See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples. |
-|  [ConfigPath](./kibana-plugin-server.configpath.md) |  |
-|  [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md) |  |
-|  [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md) | Get headers to authenticate a user against Elasticsearch. |
-|  [GetAuthState](./kibana-plugin-server.getauthstate.md) | Gets authentication state for a request. Returned by <code>auth</code> interceptor. |
-|  [HandlerContextType](./kibana-plugin-server.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context. |
-|  [HandlerFunction](./kibana-plugin-server.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md) |
-|  [HandlerParameters](./kibana-plugin-server.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->. |
-|  [Headers](./kibana-plugin-server.headers.md) | Http request headers to read. |
-|  [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md) | Data send to the client as a response payload. |
-|  [IBasePath](./kibana-plugin-server.ibasepath.md) | Access or manipulate the Kibana base path[BasePath](./kibana-plugin-server.basepath.md) |
-|  [IClusterClient](./kibana-plugin-server.iclusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [IContextProvider](./kibana-plugin-server.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
-|  [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md) | Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [IsAuthenticated](./kibana-plugin-server.isauthenticated.md) | Returns authentication status for a request. |
-|  [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md) | See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |
-|  [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
-|  [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md) | Route options: If 'GET' or 'OPTIONS' method, body options won't be returned. |
-|  [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Creates an object containing request response payload, HTTP headers, error details, and other data transmitted to the client. |
-|  [KnownHeaders](./kibana-plugin-server.knownheaders.md) | Set of well-known HTTP headers. |
-|  [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md) | Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client. |
-|  [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md) |  |
-|  [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md) |  |
-|  [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md) | Elasticsearch Refresh setting for mutating operation |
-|  [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md) | See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->. |
-|  [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
-|  [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
-|  [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) | Dedicated type for plugin configuration schema. |
-|  [PluginInitializer](./kibana-plugin-server.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>server</code> directory should conform to this interface. |
-|  [PluginName](./kibana-plugin-server.pluginname.md) | Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious. |
-|  [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md) |  |
-|  [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md) |  |
-|  [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md) | HTTP response parameters for redirection response |
-|  [RequestHandler](./kibana-plugin-server.requesthandler.md) | A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions. |
-|  [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md) | An object that handles registration of http request context providers. |
-|  [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md) | Context provider for request handler. Extends request context object with provided functionality or data. |
-|  [ResponseError](./kibana-plugin-server.responseerror.md) | Error message and optional data send to the client in case of error. |
-|  [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md) | Additional data to provide error details. |
-|  [ResponseHeaders](./kibana-plugin-server.responseheaders.md) | Http response headers to set. |
-|  [RouteContentType](./kibana-plugin-server.routecontenttype.md) | The set of supported parseable Content-Types |
-|  [RouteMethod](./kibana-plugin-server.routemethod.md) | The set of common HTTP methods supported by Kibana routing. |
-|  [RouteRegistrar](./kibana-plugin-server.routeregistrar.md) | Route handler common definition |
-|  [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) | The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements. |
-|  [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md) | Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation. |
-|  [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md) | Route validations config and options merged into one object |
-|  [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
-|  [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) |
-|  [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.<!-- -->\#\# SavedObjectsClient errors<!-- -->Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:<!-- -->1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)<!-- -->Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the <code>isXYZError()</code> helpers exposed at <code>SavedObjectsErrorHelpers</code> should be used to understand and manage error responses from the <code>SavedObjectsClient</code>.<!-- -->Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for <code>error.body.error.type</code> or doing substring checks on <code>error.body.error.reason</code>, just use the helpers to understand the meaning of the error:<!-- -->\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }<!-- -->if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }<!-- -->// always rethrow the error unless you handle it throw error; \`\`\`<!-- -->\#\#\# 404s from missing index<!-- -->From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.<!-- -->At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.<!-- -->From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.<!-- -->\#\#\# 503s from missing index<!-- -->Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's <code>action.auto_create_index</code> setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.<!-- -->See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |
-|  [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md) | Describes the factory used to create instances of the Saved Objects Client. |
-|  [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) | Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->. |
-|  [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) | Describes the factory used to create instances of Saved Objects Client Wrappers. |
-|  [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md) | A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.<!-- -->See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->. |
-|  [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md) |  |
-|  [StringValidation](./kibana-plugin-server.stringvalidation.md) | Allows regex objects or a regex string |
-|  [UiSettingsType](./kibana-plugin-server.uisettingstype.md) | UI element type to represent the settings. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md)
+
+## kibana-plugin-server package
+
+The Kibana Core APIs for server-side plugins.
+
+A plugin requires a `kibana.json` file at it's root directory that follows [the manfiest schema](./kibana-plugin-server.pluginmanifest.md) to define static plugin information required to load the plugin.
+
+A plugin's `server/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-server.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-server.plugin.md)<!-- -->.
+
+The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-server.coresetup.md) or [CoreStart](./kibana-plugin-server.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
+
+## Classes
+
+|  Class | Description |
+|  --- | --- |
+|  [BasePath](./kibana-plugin-server.basepath.md) | Access or manipulate the Kibana base path |
+|  [ClusterClient](./kibana-plugin-server.clusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [CspConfig](./kibana-plugin-server.cspconfig.md) | CSP configuration for use in Kibana. |
+|  [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) | Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as <code>body.error.header[WWW-Authenticate]</code> |
+|  [KibanaRequest](./kibana-plugin-server.kibanarequest.md) | Kibana specific abstraction for an incoming request. |
+|  [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) | Error to return when the validation is not successful. |
+|  [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) |  |
+|  [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |  |
+|  [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |  |
+|  [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
+
+## Enumerations
+
+|  Enumeration | Description |
+|  --- | --- |
+|  [AuthResultType](./kibana-plugin-server.authresulttype.md) |  |
+|  [AuthStatus](./kibana-plugin-server.authstatus.md) | Status indicating an outcome of the authentication. |
+
+## Interfaces
+
+|  Interface | Description |
+|  --- | --- |
+|  [APICaller](./kibana-plugin-server.apicaller.md) |  |
+|  [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) |  |
+|  [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) |  |
+|  [Authenticated](./kibana-plugin-server.authenticated.md) |  |
+|  [AuthResultParams](./kibana-plugin-server.authresultparams.md) | Result of an incoming request authentication. |
+|  [AuthToolkit](./kibana-plugin-server.authtoolkit.md) | A tool set defining an outcome of Auth interceptor for incoming request. |
+|  [CallAPIOptions](./kibana-plugin-server.callapioptions.md) | The set of options that defines how API call should be made and result be processed. |
+|  [Capabilities](./kibana-plugin-server.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
+|  [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) | APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.<!-- -->Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the <code>registerProvider</code> method.<!-- -->Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the <code>registerSwitcher</code> method.<!-- -->Refers to the methods documentation for complete description and examples. |
+|  [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) | APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->. |
+|  [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) | Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.<!-- -->See methods documentation for more detailed examples. |
+|  [ContextSetup](./kibana-plugin-server.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [CoreSetup](./kibana-plugin-server.coresetup.md) | Context passed to the plugins <code>setup</code> method. |
+|  [CoreStart](./kibana-plugin-server.corestart.md) | Context passed to the plugins <code>start</code> method. |
+|  [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) | HTTP response parameters for a response with adjustable status code. |
+|  [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) |  |
+|  [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) |  |
+|  [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) |  |
+|  [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) | UiSettings deprecation field options. |
+|  [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) | Small container object used to expose information about discovered plugins that may or may not have been started. |
+|  [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) |  |
+|  [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |  |
+|  [EnvironmentMode](./kibana-plugin-server.environmentmode.md) |  |
+|  [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) | HTTP response parameters |
+|  [FakeRequest](./kibana-plugin-server.fakerequest.md) | Fake request object created manually by Kibana plugins. |
+|  [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) | HTTP response parameters |
+|  [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) | Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to <code>hapi</code> server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs. |
+|  [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) |  |
+|  [IContextContainer](./kibana-plugin-server.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [ICspConfig](./kibana-plugin-server.icspconfig.md) | CSP configuration for use in Kibana. |
+|  [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) | A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution |
+|  [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) | A tiny abstraction for TCP socket. |
+|  [ImageValidation](./kibana-plugin-server.imagevalidation.md) |  |
+|  [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md) |  |
+|  [IRenderOptions](./kibana-plugin-server.irenderoptions.md) |  |
+|  [IRouter](./kibana-plugin-server.irouter.md) | Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations. |
+|  [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) |  |
+|  [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) | Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. |
+|  [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) | Request events. |
+|  [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) | Request specific route information exposed to a handler. |
+|  [LegacyRequest](./kibana-plugin-server.legacyrequest.md) |  |
+|  [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) |  |
+|  [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) |  |
+|  [Logger](./kibana-plugin-server.logger.md) | Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins. |
+|  [LoggerFactory](./kibana-plugin-server.loggerfactory.md) | The single purpose of <code>LoggerFactory</code> interface is to define a way to retrieve a context-based logger instance. |
+|  [LogMeta](./kibana-plugin-server.logmeta.md) | Contextual metadata |
+|  [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) | A tool set defining an outcome of OnPostAuth interceptor for incoming request. |
+|  [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
+|  [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) | Additional data to extend a response. |
+|  [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) | Response status code. |
+|  [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
+|  [PackageInfo](./kibana-plugin-server.packageinfo.md) |  |
+|  [Plugin](./kibana-plugin-server.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
+|  [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) | Describes a plugin configuration properties. |
+|  [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) | Context that's available to plugins during initialization stage. |
+|  [PluginManifest](./kibana-plugin-server.pluginmanifest.md) | Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file. |
+|  [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) |  |
+|  [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) |  |
+|  [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) | Plugin specific context passed to a route handler.<!-- -->Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request |
+|  [RouteConfig](./kibana-plugin-server.routeconfig.md) | Route specific configuration. |
+|  [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) | Additional route options. |
+|  [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) | Additional body options for a route |
+|  [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) | Validation result factory to be used in the custom validation function to return the valid data or validation errors<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->. |
+|  [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) | The configuration object to the RouteValidator class. Set <code>params</code>, <code>query</code> and/or <code>body</code> to specify the validation logic to follow for that property. |
+|  [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) | Additional options for the RouteValidator class to modify its default behaviour. |
+|  [SavedObject](./kibana-plugin-server.savedobject.md) |  |
+|  [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) | A reference to another saved object. |
+|  [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) |  |
+|  [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) |  |
+|  [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) |  |
+|  [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) |  |
+|  [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) |  |
+|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) |  |
+|  [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) |  |
+|  [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) | Options to control the creation of the Saved Objects Client. |
+|  [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) | Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance. |
+|  [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) |  |
+|  [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) |  |
+|  [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) |  |
+|  [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) | Options controlling the export operation. |
+|  [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) | Structure of the export result details entry |
+|  [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) |  |
+|  [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
+|  [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
+|  [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) | Represents a failure to import. |
+|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
+|  [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) | Options to control the import operation. |
+|  [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) | The response describing the result of an import. |
+|  [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
+|  [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
+|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
+|  [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) |  |
+|  [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) |  |
+|  [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) | A raw document as represented directly in the saved object index. |
+|  [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) | Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) |
+|  [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) | Options to control the "resolve import" operation. |
+|  [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) | Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers. |
+|  [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects. |
+|  [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) |  |
+|  [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) |  |
+|  [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) | Return type from a function to validate cookie contents. |
+|  [SessionStorage](./kibana-plugin-server.sessionstorage.md) | Provides an interface to store and retrieve data across requests. |
+|  [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) | Configuration used to create HTTP session storage based on top of cookie mechanism. |
+|  [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) | SessionStorage factory to bind one to an incoming request |
+|  [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) | StringValidation with regex object |
+|  [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) | StringValidation as regex string |
+|  [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
+|  [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |  |
+|  [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |  |
+|  [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) | Describes the values explicitly set by user. |
+|  [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) | APIs to access the application's instance uuid. |
+
+## Variables
+
+|  Variable | Description |
+|  --- | --- |
+|  [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Set of helpers used to create <code>KibanaResponse</code> to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution. |
+|  [validBodyOutput](./kibana-plugin-server.validbodyoutput.md) | The set of valid body.output |
+
+## Type Aliases
+
+|  Type Alias | Description |
+|  --- | --- |
+|  [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md) | See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->. |
+|  [AuthHeaders](./kibana-plugin-server.authheaders.md) | Auth Headers map |
+|  [AuthResult](./kibana-plugin-server.authresult.md) |  |
+|  [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) | Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration. |
+|  [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md) | Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) |
+|  [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) | A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.<!-- -->See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples. |
+|  [ConfigPath](./kibana-plugin-server.configpath.md) |  |
+|  [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md) |  |
+|  [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md) | Get headers to authenticate a user against Elasticsearch. |
+|  [GetAuthState](./kibana-plugin-server.getauthstate.md) | Gets authentication state for a request. Returned by <code>auth</code> interceptor. |
+|  [HandlerContextType](./kibana-plugin-server.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context. |
+|  [HandlerFunction](./kibana-plugin-server.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md) |
+|  [HandlerParameters](./kibana-plugin-server.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->. |
+|  [Headers](./kibana-plugin-server.headers.md) | Http request headers to read. |
+|  [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md) | Data send to the client as a response payload. |
+|  [IBasePath](./kibana-plugin-server.ibasepath.md) | Access or manipulate the Kibana base path[BasePath](./kibana-plugin-server.basepath.md) |
+|  [IClusterClient](./kibana-plugin-server.iclusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [IContextProvider](./kibana-plugin-server.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
+|  [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md) | Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [IsAuthenticated](./kibana-plugin-server.isauthenticated.md) | Returns authentication status for a request. |
+|  [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md) | See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |
+|  [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
+|  [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md) | Route options: If 'GET' or 'OPTIONS' method, body options won't be returned. |
+|  [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Creates an object containing request response payload, HTTP headers, error details, and other data transmitted to the client. |
+|  [KnownHeaders](./kibana-plugin-server.knownheaders.md) | Set of well-known HTTP headers. |
+|  [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md) | Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client. |
+|  [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md) |  |
+|  [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md) |  |
+|  [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md) | Elasticsearch Refresh setting for mutating operation |
+|  [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md) | See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->. |
+|  [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
+|  [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
+|  [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) | Dedicated type for plugin configuration schema. |
+|  [PluginInitializer](./kibana-plugin-server.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>server</code> directory should conform to this interface. |
+|  [PluginName](./kibana-plugin-server.pluginname.md) | Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious. |
+|  [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md) |  |
+|  [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md) |  |
+|  [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md) | HTTP response parameters for redirection response |
+|  [RequestHandler](./kibana-plugin-server.requesthandler.md) | A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions. |
+|  [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md) | An object that handles registration of http request context providers. |
+|  [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md) | Context provider for request handler. Extends request context object with provided functionality or data. |
+|  [ResponseError](./kibana-plugin-server.responseerror.md) | Error message and optional data send to the client in case of error. |
+|  [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md) | Additional data to provide error details. |
+|  [ResponseHeaders](./kibana-plugin-server.responseheaders.md) | Http response headers to set. |
+|  [RouteContentType](./kibana-plugin-server.routecontenttype.md) | The set of supported parseable Content-Types |
+|  [RouteMethod](./kibana-plugin-server.routemethod.md) | The set of common HTTP methods supported by Kibana routing. |
+|  [RouteRegistrar](./kibana-plugin-server.routeregistrar.md) | Route handler common definition |
+|  [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) | The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements. |
+|  [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md) | Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation. |
+|  [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md) | Route validations config and options merged into one object |
+|  [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
+|  [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) |
+|  [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.<!-- -->\#\# SavedObjectsClient errors<!-- -->Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:<!-- -->1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)<!-- -->Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the <code>isXYZError()</code> helpers exposed at <code>SavedObjectsErrorHelpers</code> should be used to understand and manage error responses from the <code>SavedObjectsClient</code>.<!-- -->Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for <code>error.body.error.type</code> or doing substring checks on <code>error.body.error.reason</code>, just use the helpers to understand the meaning of the error:<!-- -->\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }<!-- -->if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }<!-- -->// always rethrow the error unless you handle it throw error; \`\`\`<!-- -->\#\#\# 404s from missing index<!-- -->From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.<!-- -->At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.<!-- -->From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.<!-- -->\#\#\# 503s from missing index<!-- -->Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's <code>action.auto_create_index</code> setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.<!-- -->See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |
+|  [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md) | Describes the factory used to create instances of the Saved Objects Client. |
+|  [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) | Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->. |
+|  [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) | Describes the factory used to create instances of Saved Objects Client Wrappers. |
+|  [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md) | A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.<!-- -->See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->. |
+|  [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md) |  |
+|  [StringValidation](./kibana-plugin-server.stringvalidation.md) | Allows regex objects or a regex string |
+|  [UiSettingsType](./kibana-plugin-server.uisettingstype.md) | UI element type to represent the settings. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md b/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
index e5ecc6779b282..879412e3a8ca8 100644
--- a/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
+++ b/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md)
-
-## MIGRATION\_ASSISTANCE\_INDEX\_ACTION type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type MIGRATION_ASSISTANCE_INDEX_ACTION = 'upgrade' | 'reindex';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md)
+
+## MIGRATION\_ASSISTANCE\_INDEX\_ACTION type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type MIGRATION_ASSISTANCE_INDEX_ACTION = 'upgrade' | 'reindex';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md b/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
index 33e02a1b2bce0..00f018da02d18 100644
--- a/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
+++ b/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md)
-
-## MIGRATION\_DEPRECATION\_LEVEL type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type MIGRATION_DEPRECATION_LEVEL = 'none' | 'info' | 'warning' | 'critical';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md)
+
+## MIGRATION\_DEPRECATION\_LEVEL type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type MIGRATION_DEPRECATION_LEVEL = 'none' | 'info' | 'warning' | 'critical';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md b/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
index 94c8fa8c22ef6..7d2187bec6c25 100644
--- a/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
+++ b/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md)
-
-## MutatingOperationRefreshSetting type
-
-Elasticsearch Refresh setting for mutating operation
-
-<b>Signature:</b>
-
-```typescript
-export declare type MutatingOperationRefreshSetting = boolean | 'wait_for';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md)
+
+## MutatingOperationRefreshSetting type
+
+Elasticsearch Refresh setting for mutating operation
+
+<b>Signature:</b>
+
+```typescript
+export declare type MutatingOperationRefreshSetting = boolean | 'wait_for';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md b/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
index a887dea26e3bc..3191ca0f38002 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)
-
-## OnPostAuthHandler type
-
-See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPostAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPostAuthToolkit) => OnPostAuthResult | KibanaResponse | Promise<OnPostAuthResult | KibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)
+
+## OnPostAuthHandler type
+
+See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPostAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPostAuthToolkit) => OnPostAuthResult | KibanaResponse | Promise<OnPostAuthResult | KibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
index 001c14c53fecb..9e73a77fc4b0c 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)
-
-## OnPostAuthToolkit interface
-
-A tool set defining an outcome of OnPostAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPostAuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpostauthtoolkit.next.md) | <code>() =&gt; OnPostAuthResult</code> | To pass request to the next handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)
+
+## OnPostAuthToolkit interface
+
+A tool set defining an outcome of OnPostAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPostAuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpostauthtoolkit.next.md) | <code>() =&gt; OnPostAuthResult</code> | To pass request to the next handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
index cc9120defa442..877f41e49c493 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpostauthtoolkit.next.md)
-
-## OnPostAuthToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: () => OnPostAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpostauthtoolkit.next.md)
+
+## OnPostAuthToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: () => OnPostAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md b/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
index 003bd4b19eadf..dee943f6ee3b5 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)
-
-## OnPreAuthHandler type
-
-See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPreAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPreAuthToolkit) => OnPreAuthResult | KibanaResponse | Promise<OnPreAuthResult | KibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)
+
+## OnPreAuthHandler type
+
+See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPreAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPreAuthToolkit) => OnPreAuthResult | KibanaResponse | Promise<OnPreAuthResult | KibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
index 174f377eec292..166eee8759df4 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)
-
-## OnPreAuthToolkit interface
-
-A tool set defining an outcome of OnPreAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreAuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpreauthtoolkit.next.md) | <code>() =&gt; OnPreAuthResult</code> | To pass request to the next handler |
-|  [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md) | <code>(url: string) =&gt; OnPreAuthResult</code> | Rewrite requested resources url before is was authenticated and routed to a handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)
+
+## OnPreAuthToolkit interface
+
+A tool set defining an outcome of OnPreAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreAuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpreauthtoolkit.next.md) | <code>() =&gt; OnPreAuthResult</code> | To pass request to the next handler |
+|  [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md) | <code>(url: string) =&gt; OnPreAuthResult</code> | Rewrite requested resources url before is was authenticated and routed to a handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
index 9281e5879ce9b..37909cbd8b24b 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpreauthtoolkit.next.md)
-
-## OnPreAuthToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: () => OnPreAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpreauthtoolkit.next.md)
+
+## OnPreAuthToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: () => OnPreAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
index 0f401379c20fd..c7d97b31c364c 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md)
-
-## OnPreAuthToolkit.rewriteUrl property
-
-Rewrite requested resources url before is was authenticated and routed to a handler
-
-<b>Signature:</b>
-
-```typescript
-rewriteUrl: (url: string) => OnPreAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md)
+
+## OnPreAuthToolkit.rewriteUrl property
+
+Rewrite requested resources url before is was authenticated and routed to a handler
+
+<b>Signature:</b>
+
+```typescript
+rewriteUrl: (url: string) => OnPreAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
index 8736020daf063..28fa2fd4a3035 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) &gt; [headers](./kibana-plugin-server.onpreresponseextensions.headers.md)
-
-## OnPreResponseExtensions.headers property
-
-additional headers to attach to the response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) &gt; [headers](./kibana-plugin-server.onpreresponseextensions.headers.md)
+
+## OnPreResponseExtensions.headers property
+
+additional headers to attach to the response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
index e5aa624c39909..7fd85e2371e0f 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md)
-
-## OnPreResponseExtensions interface
-
-Additional data to extend a response.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseExtensions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [headers](./kibana-plugin-server.onpreresponseextensions.headers.md) | <code>ResponseHeaders</code> | additional headers to attach to the response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md)
+
+## OnPreResponseExtensions interface
+
+Additional data to extend a response.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseExtensions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [headers](./kibana-plugin-server.onpreresponseextensions.headers.md) | <code>ResponseHeaders</code> | additional headers to attach to the response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md b/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
index 082de0a9b4aeb..9390686280a78 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)
-
-## OnPreResponseHandler type
-
-See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPreResponseHandler = (request: KibanaRequest, preResponse: OnPreResponseInfo, toolkit: OnPreResponseToolkit) => OnPreResponseResult | Promise<OnPreResponseResult>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)
+
+## OnPreResponseHandler type
+
+See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPreResponseHandler = (request: KibanaRequest, preResponse: OnPreResponseInfo, toolkit: OnPreResponseToolkit) => OnPreResponseResult | Promise<OnPreResponseResult>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
index 736b4298037cf..934b1d517ac46 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md)
-
-## OnPreResponseInfo interface
-
-Response status code.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md)
+
+## OnPreResponseInfo interface
+
+Response status code.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
index 4fd4529dc400f..ffe04f2583a9b 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) &gt; [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md)
-
-## OnPreResponseInfo.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) &gt; [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md)
+
+## OnPreResponseInfo.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
index 5525f5bf60284..9355731817409 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md)
-
-## OnPreResponseToolkit interface
-
-A tool set defining an outcome of OnPreAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpreresponsetoolkit.next.md) | <code>(responseExtensions?: OnPreResponseExtensions) =&gt; OnPreResponseResult</code> | To pass request to the next handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md)
+
+## OnPreResponseToolkit interface
+
+A tool set defining an outcome of OnPreAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpreresponsetoolkit.next.md) | <code>(responseExtensions?: OnPreResponseExtensions) =&gt; OnPreResponseResult</code> | To pass request to the next handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
index bfb5827b16b2f..cb4d67646a604 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) &gt; [next](./kibana-plugin-server.onpreresponsetoolkit.next.md)
-
-## OnPreResponseToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: (responseExtensions?: OnPreResponseExtensions) => OnPreResponseResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) &gt; [next](./kibana-plugin-server.onpreresponsetoolkit.next.md)
+
+## OnPreResponseToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: (responseExtensions?: OnPreResponseExtensions) => OnPreResponseResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md b/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
index 36f187180d31b..b9e086c38a22f 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [branch](./kibana-plugin-server.packageinfo.branch.md)
-
-## PackageInfo.branch property
-
-<b>Signature:</b>
-
-```typescript
-branch: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [branch](./kibana-plugin-server.packageinfo.branch.md)
+
+## PackageInfo.branch property
+
+<b>Signature:</b>
+
+```typescript
+branch: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md b/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
index c0a231ee27ab0..2575d3d4170fb 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildNum](./kibana-plugin-server.packageinfo.buildnum.md)
-
-## PackageInfo.buildNum property
-
-<b>Signature:</b>
-
-```typescript
-buildNum: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildNum](./kibana-plugin-server.packageinfo.buildnum.md)
+
+## PackageInfo.buildNum property
+
+<b>Signature:</b>
+
+```typescript
+buildNum: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md b/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
index 5e8de48067dd0..ae0cc4c7db0b7 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildSha](./kibana-plugin-server.packageinfo.buildsha.md)
-
-## PackageInfo.buildSha property
-
-<b>Signature:</b>
-
-```typescript
-buildSha: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildSha](./kibana-plugin-server.packageinfo.buildsha.md)
+
+## PackageInfo.buildSha property
+
+<b>Signature:</b>
+
+```typescript
+buildSha: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md b/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
index e45970780d522..16d2b68a26623 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [dist](./kibana-plugin-server.packageinfo.dist.md)
-
-## PackageInfo.dist property
-
-<b>Signature:</b>
-
-```typescript
-dist: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [dist](./kibana-plugin-server.packageinfo.dist.md)
+
+## PackageInfo.dist property
+
+<b>Signature:</b>
+
+```typescript
+dist: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.md b/docs/development/core/server/kibana-plugin-server.packageinfo.md
index 3ff02c9cda85d..c0c7e103a6077 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md)
-
-## PackageInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PackageInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [branch](./kibana-plugin-server.packageinfo.branch.md) | <code>string</code> |  |
-|  [buildNum](./kibana-plugin-server.packageinfo.buildnum.md) | <code>number</code> |  |
-|  [buildSha](./kibana-plugin-server.packageinfo.buildsha.md) | <code>string</code> |  |
-|  [dist](./kibana-plugin-server.packageinfo.dist.md) | <code>boolean</code> |  |
-|  [version](./kibana-plugin-server.packageinfo.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md)
+
+## PackageInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PackageInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [branch](./kibana-plugin-server.packageinfo.branch.md) | <code>string</code> |  |
+|  [buildNum](./kibana-plugin-server.packageinfo.buildnum.md) | <code>number</code> |  |
+|  [buildSha](./kibana-plugin-server.packageinfo.buildsha.md) | <code>string</code> |  |
+|  [dist](./kibana-plugin-server.packageinfo.dist.md) | <code>boolean</code> |  |
+|  [version](./kibana-plugin-server.packageinfo.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.version.md b/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
index e99e3c48d7041..f17ee6ee34199 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [version](./kibana-plugin-server.packageinfo.version.md)
-
-## PackageInfo.version property
-
-<b>Signature:</b>
-
-```typescript
-version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [version](./kibana-plugin-server.packageinfo.version.md)
+
+## PackageInfo.version property
+
+<b>Signature:</b>
+
+```typescript
+version: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.md b/docs/development/core/server/kibana-plugin-server.plugin.md
index 73faf020a4a16..5b2c206e71e63 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md)
-
-## Plugin interface
-
-The interface that should be returned by a `PluginInitializer`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [setup(core, plugins)](./kibana-plugin-server.plugin.setup.md) |  |
-|  [start(core, plugins)](./kibana-plugin-server.plugin.start.md) |  |
-|  [stop()](./kibana-plugin-server.plugin.stop.md) |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md)
+
+## Plugin interface
+
+The interface that should be returned by a `PluginInitializer`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [setup(core, plugins)](./kibana-plugin-server.plugin.setup.md) |  |
+|  [start(core, plugins)](./kibana-plugin-server.plugin.start.md) |  |
+|  [stop()](./kibana-plugin-server.plugin.stop.md) |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.setup.md b/docs/development/core/server/kibana-plugin-server.plugin.setup.md
index 5ceb504f796f1..66b669b28675d 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.setup.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.setup.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [setup](./kibana-plugin-server.plugin.setup.md)
-
-## Plugin.setup() method
-
-<b>Signature:</b>
-
-```typescript
-setup(core: CoreSetup, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreSetup</code> |  |
-|  plugins | <code>TPluginsSetup</code> |  |
-
-<b>Returns:</b>
-
-`TSetup | Promise<TSetup>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [setup](./kibana-plugin-server.plugin.setup.md)
+
+## Plugin.setup() method
+
+<b>Signature:</b>
+
+```typescript
+setup(core: CoreSetup, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreSetup</code> |  |
+|  plugins | <code>TPluginsSetup</code> |  |
+
+<b>Returns:</b>
+
+`TSetup | Promise<TSetup>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.start.md b/docs/development/core/server/kibana-plugin-server.plugin.start.md
index 6ce9f05de7731..cfa692e704117 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.start.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.start.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [start](./kibana-plugin-server.plugin.start.md)
-
-## Plugin.start() method
-
-<b>Signature:</b>
-
-```typescript
-start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreStart</code> |  |
-|  plugins | <code>TPluginsStart</code> |  |
-
-<b>Returns:</b>
-
-`TStart | Promise<TStart>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [start](./kibana-plugin-server.plugin.start.md)
+
+## Plugin.start() method
+
+<b>Signature:</b>
+
+```typescript
+start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreStart</code> |  |
+|  plugins | <code>TPluginsStart</code> |  |
+
+<b>Returns:</b>
+
+`TStart | Promise<TStart>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.stop.md b/docs/development/core/server/kibana-plugin-server.plugin.stop.md
index 1c51727c1d166..f46d170e77418 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.stop.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.stop.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [stop](./kibana-plugin-server.plugin.stop.md)
-
-## Plugin.stop() method
-
-<b>Signature:</b>
-
-```typescript
-stop?(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [stop](./kibana-plugin-server.plugin.stop.md)
+
+## Plugin.stop() method
+
+<b>Signature:</b>
+
+```typescript
+stop?(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
index 00574101838f2..74cce60402338 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md)
-
-## PluginConfigDescriptor.deprecations property
-
-Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration.
-
-<b>Signature:</b>
-
-```typescript
-deprecations?: ConfigDeprecationProvider;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md)
+
+## PluginConfigDescriptor.deprecations property
+
+Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration.
+
+<b>Signature:</b>
+
+```typescript
+deprecations?: ConfigDeprecationProvider;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
index d62b2457e9d9a..23e8ca5f9dec3 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md)
-
-## PluginConfigDescriptor.exposeToBrowser property
-
-List of configuration properties that will be available on the client-side plugin.
-
-<b>Signature:</b>
-
-```typescript
-exposeToBrowser?: {
-        [P in keyof T]?: boolean;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md)
+
+## PluginConfigDescriptor.exposeToBrowser property
+
+List of configuration properties that will be available on the client-side plugin.
+
+<b>Signature:</b>
+
+```typescript
+exposeToBrowser?: {
+        [P in keyof T]?: boolean;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
index 3d661ac66d2b7..731572d2167e9 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
@@ -1,50 +1,50 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md)
-
-## PluginConfigDescriptor interface
-
-Describes a plugin configuration properties.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginConfigDescriptor<T = any> 
-```
-
-## Example
-
-
-```typescript
-// my_plugin/server/index.ts
-import { schema, TypeOf } from '@kbn/config-schema';
-import { PluginConfigDescriptor } from 'kibana/server';
-
-const configSchema = schema.object({
-  secret: schema.string({ defaultValue: 'Only on server' }),
-  uiProp: schema.string({ defaultValue: 'Accessible from client' }),
-});
-
-type ConfigType = TypeOf<typeof configSchema>;
-
-export const config: PluginConfigDescriptor<ConfigType> = {
-  exposeToBrowser: {
-    uiProp: true,
-  },
-  schema: configSchema,
-  deprecations: ({ rename, unused }) => [
-    rename('securityKey', 'secret'),
-    unused('deprecatedProperty'),
-  ],
-};
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md) | <code>ConfigDeprecationProvider</code> | Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration. |
-|  [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md) | <code>{</code><br/><code>        [P in keyof T]?: boolean;</code><br/><code>    }</code> | List of configuration properties that will be available on the client-side plugin. |
-|  [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md) | <code>PluginConfigSchema&lt;T&gt;</code> | Schema to use to validate the plugin configuration.[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md)
+
+## PluginConfigDescriptor interface
+
+Describes a plugin configuration properties.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginConfigDescriptor<T = any> 
+```
+
+## Example
+
+
+```typescript
+// my_plugin/server/index.ts
+import { schema, TypeOf } from '@kbn/config-schema';
+import { PluginConfigDescriptor } from 'kibana/server';
+
+const configSchema = schema.object({
+  secret: schema.string({ defaultValue: 'Only on server' }),
+  uiProp: schema.string({ defaultValue: 'Accessible from client' }),
+});
+
+type ConfigType = TypeOf<typeof configSchema>;
+
+export const config: PluginConfigDescriptor<ConfigType> = {
+  exposeToBrowser: {
+    uiProp: true,
+  },
+  schema: configSchema,
+  deprecations: ({ rename, unused }) => [
+    rename('securityKey', 'secret'),
+    unused('deprecatedProperty'),
+  ],
+};
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md) | <code>ConfigDeprecationProvider</code> | Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration. |
+|  [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md) | <code>{</code><br/><code>        [P in keyof T]?: boolean;</code><br/><code>    }</code> | List of configuration properties that will be available on the client-side plugin. |
+|  [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md) | <code>PluginConfigSchema&lt;T&gt;</code> | Schema to use to validate the plugin configuration.[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
index c4845d52ff212..eae10cae3cc98 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md)
-
-## PluginConfigDescriptor.schema property
-
-Schema to use to validate the plugin configuration.
-
-[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
-
-<b>Signature:</b>
-
-```typescript
-schema: PluginConfigSchema<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md)
+
+## PluginConfigDescriptor.schema property
+
+Schema to use to validate the plugin configuration.
+
+[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
+
+<b>Signature:</b>
+
+```typescript
+schema: PluginConfigSchema<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md b/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
index 6528798ec8e01..fcc65e431337e 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
-
-## PluginConfigSchema type
-
-Dedicated type for plugin configuration schema.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginConfigSchema<T> = Type<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
+
+## PluginConfigSchema type
+
+Dedicated type for plugin configuration schema.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginConfigSchema<T> = Type<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializer.md b/docs/development/core/server/kibana-plugin-server.plugininitializer.md
index 1254ed2c88da3..3412f4da7f09d 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializer.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializer](./kibana-plugin-server.plugininitializer.md)
-
-## PluginInitializer type
-
-The `plugin` export at the root of a plugin's `server` directory should conform to this interface.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializer](./kibana-plugin-server.plugininitializer.md)
+
+## PluginInitializer type
+
+The `plugin` export at the root of a plugin's `server` directory should conform to this interface.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
index 56d064dcb290e..b555d5c889cb9 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [config](./kibana-plugin-server.plugininitializercontext.config.md)
-
-## PluginInitializerContext.config property
-
-<b>Signature:</b>
-
-```typescript
-config: {
-        legacy: {
-            globalConfig$: Observable<SharedGlobalConfig>;
-        };
-        create: <T = ConfigSchema>() => Observable<T>;
-        createIfExists: <T = ConfigSchema>() => Observable<T | undefined>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [config](./kibana-plugin-server.plugininitializercontext.config.md)
+
+## PluginInitializerContext.config property
+
+<b>Signature:</b>
+
+```typescript
+config: {
+        legacy: {
+            globalConfig$: Observable<SharedGlobalConfig>;
+        };
+        create: <T = ConfigSchema>() => Observable<T>;
+        createIfExists: <T = ConfigSchema>() => Observable<T | undefined>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
index fd4caa605c0e5..91bbc7839e495 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [env](./kibana-plugin-server.plugininitializercontext.env.md)
-
-## PluginInitializerContext.env property
-
-<b>Signature:</b>
-
-```typescript
-env: {
-        mode: EnvironmentMode;
-        packageInfo: Readonly<PackageInfo>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [env](./kibana-plugin-server.plugininitializercontext.env.md)
+
+## PluginInitializerContext.env property
+
+<b>Signature:</b>
+
+```typescript
+env: {
+        mode: EnvironmentMode;
+        packageInfo: Readonly<PackageInfo>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
index 688560f324d17..d50e9df486be7 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [logger](./kibana-plugin-server.plugininitializercontext.logger.md)
-
-## PluginInitializerContext.logger property
-
-<b>Signature:</b>
-
-```typescript
-logger: LoggerFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [logger](./kibana-plugin-server.plugininitializercontext.logger.md)
+
+## PluginInitializerContext.logger property
+
+<b>Signature:</b>
+
+```typescript
+logger: LoggerFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
index c2fadfb779fc9..6adf7f277f632 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md)
-
-## PluginInitializerContext interface
-
-Context that's available to plugins during initialization stage.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginInitializerContext<ConfigSchema = unknown> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [config](./kibana-plugin-server.plugininitializercontext.config.md) | <code>{</code><br/><code>        legacy: {</code><br/><code>            globalConfig$: Observable&lt;SharedGlobalConfig&gt;;</code><br/><code>        };</code><br/><code>        create: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T&gt;;</code><br/><code>        createIfExists: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T &#124; undefined&gt;;</code><br/><code>    }</code> |  |
-|  [env](./kibana-plugin-server.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: EnvironmentMode;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
-|  [logger](./kibana-plugin-server.plugininitializercontext.logger.md) | <code>LoggerFactory</code> |  |
-|  [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md)
+
+## PluginInitializerContext interface
+
+Context that's available to plugins during initialization stage.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginInitializerContext<ConfigSchema = unknown> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [config](./kibana-plugin-server.plugininitializercontext.config.md) | <code>{</code><br/><code>        legacy: {</code><br/><code>            globalConfig$: Observable&lt;SharedGlobalConfig&gt;;</code><br/><code>        };</code><br/><code>        create: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T&gt;;</code><br/><code>        createIfExists: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T &#124; undefined&gt;;</code><br/><code>    }</code> |  |
+|  [env](./kibana-plugin-server.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: EnvironmentMode;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
+|  [logger](./kibana-plugin-server.plugininitializercontext.logger.md) | <code>LoggerFactory</code> |  |
+|  [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
index 7ac177f039c91..e3149f8249892 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md)
-
-## PluginInitializerContext.opaqueId property
-
-<b>Signature:</b>
-
-```typescript
-opaqueId: PluginOpaqueId;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md)
+
+## PluginInitializerContext.opaqueId property
+
+<b>Signature:</b>
+
+```typescript
+opaqueId: PluginOpaqueId;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
index 6ffe396aa2ed1..24b83cb22b535 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [configPath](./kibana-plugin-server.pluginmanifest.configpath.md)
-
-## PluginManifest.configPath property
-
-Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format.
-
-<b>Signature:</b>
-
-```typescript
-readonly configPath: ConfigPath;
-```
-
-## Example
-
-id: myPlugin configPath: my\_plugin
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [configPath](./kibana-plugin-server.pluginmanifest.configpath.md)
+
+## PluginManifest.configPath property
+
+Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format.
+
+<b>Signature:</b>
+
+```typescript
+readonly configPath: ConfigPath;
+```
+
+## Example
+
+id: myPlugin configPath: my\_plugin
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
index 104046f3ce7d0..34b0f3afc3f77 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [id](./kibana-plugin-server.pluginmanifest.id.md)
-
-## PluginManifest.id property
-
-Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: PluginName;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [id](./kibana-plugin-server.pluginmanifest.id.md)
+
+## PluginManifest.id property
+
+Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: PluginName;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
index f568dce9a8a9e..4f2e13ad448dc 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md)
-
-## PluginManifest.kibanaVersion property
-
-The version of Kibana the plugin is compatible with, defaults to "version".
-
-<b>Signature:</b>
-
-```typescript
-readonly kibanaVersion: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md)
+
+## PluginManifest.kibanaVersion property
+
+The version of Kibana the plugin is compatible with, defaults to "version".
+
+<b>Signature:</b>
+
+```typescript
+readonly kibanaVersion: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
index c39a702389fb3..10ce3a921875f 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
@@ -1,31 +1,31 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md)
-
-## PluginManifest interface
-
-Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginManifest 
-```
-
-## Remarks
-
-Should never be used in code outside of Core but is exported for documentation purposes.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [configPath](./kibana-plugin-server.pluginmanifest.configpath.md) | <code>ConfigPath</code> | Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format. |
-|  [id](./kibana-plugin-server.pluginmanifest.id.md) | <code>PluginName</code> | Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc. |
-|  [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md) | <code>string</code> | The version of Kibana the plugin is compatible with, defaults to "version". |
-|  [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
-|  [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
-|  [server](./kibana-plugin-server.pluginmanifest.server.md) | <code>boolean</code> | Specifies whether plugin includes some server-side specific functionality. |
-|  [ui](./kibana-plugin-server.pluginmanifest.ui.md) | <code>boolean</code> | Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via <code>public/ui_plugin.js</code> file. |
-|  [version](./kibana-plugin-server.pluginmanifest.version.md) | <code>string</code> | Version of the plugin. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md)
+
+## PluginManifest interface
+
+Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginManifest 
+```
+
+## Remarks
+
+Should never be used in code outside of Core but is exported for documentation purposes.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [configPath](./kibana-plugin-server.pluginmanifest.configpath.md) | <code>ConfigPath</code> | Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format. |
+|  [id](./kibana-plugin-server.pluginmanifest.id.md) | <code>PluginName</code> | Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc. |
+|  [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md) | <code>string</code> | The version of Kibana the plugin is compatible with, defaults to "version". |
+|  [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
+|  [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
+|  [server](./kibana-plugin-server.pluginmanifest.server.md) | <code>boolean</code> | Specifies whether plugin includes some server-side specific functionality. |
+|  [ui](./kibana-plugin-server.pluginmanifest.ui.md) | <code>boolean</code> | Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via <code>public/ui_plugin.js</code> file. |
+|  [version](./kibana-plugin-server.pluginmanifest.version.md) | <code>string</code> | Version of the plugin. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
index 692785a705d40..c8abb389fc92a 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md)
-
-## PluginManifest.optionalPlugins property
-
-An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly optionalPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md)
+
+## PluginManifest.optionalPlugins property
+
+An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly optionalPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
index 0ea7c872dfa07..1a9753e889ae9 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md)
-
-## PluginManifest.requiredPlugins property
-
-An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly requiredPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md)
+
+## PluginManifest.requiredPlugins property
+
+An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly requiredPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
index 676ad721edf7c..06f8a907876d0 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [server](./kibana-plugin-server.pluginmanifest.server.md)
-
-## PluginManifest.server property
-
-Specifies whether plugin includes some server-side specific functionality.
-
-<b>Signature:</b>
-
-```typescript
-readonly server: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [server](./kibana-plugin-server.pluginmanifest.server.md)
+
+## PluginManifest.server property
+
+Specifies whether plugin includes some server-side specific functionality.
+
+<b>Signature:</b>
+
+```typescript
+readonly server: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
index ad5ce2237c580..3526f63166260 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [ui](./kibana-plugin-server.pluginmanifest.ui.md)
-
-## PluginManifest.ui property
-
-Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via `public/ui_plugin.js` file.
-
-<b>Signature:</b>
-
-```typescript
-readonly ui: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [ui](./kibana-plugin-server.pluginmanifest.ui.md)
+
+## PluginManifest.ui property
+
+Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via `public/ui_plugin.js` file.
+
+<b>Signature:</b>
+
+```typescript
+readonly ui: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
index 75255096408f3..1e58e03a743a5 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [version](./kibana-plugin-server.pluginmanifest.version.md)
-
-## PluginManifest.version property
-
-Version of the plugin.
-
-<b>Signature:</b>
-
-```typescript
-readonly version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [version](./kibana-plugin-server.pluginmanifest.version.md)
+
+## PluginManifest.version property
+
+Version of the plugin.
+
+<b>Signature:</b>
+
+```typescript
+readonly version: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginname.md b/docs/development/core/server/kibana-plugin-server.pluginname.md
index 02121c10d6b1d..365a4720ba514 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginname.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginname.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginName](./kibana-plugin-server.pluginname.md)
-
-## PluginName type
-
-Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginName = string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginName](./kibana-plugin-server.pluginname.md)
+
+## PluginName type
+
+Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginName = string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md b/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
index 3b2399d95137d..11bec2b2de209 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md)
-
-## PluginOpaqueId type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginOpaqueId = symbol;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md)
+
+## PluginOpaqueId type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginOpaqueId = symbol;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
index 90eb5daade31f..174dabe63005e 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md)
-
-## PluginsServiceSetup.contracts property
-
-<b>Signature:</b>
-
-```typescript
-contracts: Map<PluginName, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md)
+
+## PluginsServiceSetup.contracts property
+
+<b>Signature:</b>
+
+```typescript
+contracts: Map<PluginName, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
index 248726e26f393..e24c428eecec8 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md)
-
-## PluginsServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginsServiceSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
-|  [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md) | <code>{</code><br/><code>        internal: Map&lt;PluginName, InternalPluginInfo&gt;;</code><br/><code>        public: Map&lt;PluginName, DiscoveredPlugin&gt;;</code><br/><code>        browserConfigs: Map&lt;PluginName, Observable&lt;unknown&gt;&gt;;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md)
+
+## PluginsServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginsServiceSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
+|  [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md) | <code>{</code><br/><code>        internal: Map&lt;PluginName, InternalPluginInfo&gt;;</code><br/><code>        public: Map&lt;PluginName, DiscoveredPlugin&gt;;</code><br/><code>        browserConfigs: Map&lt;PluginName, Observable&lt;unknown&gt;&gt;;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
index 7c47304cb9bf6..5f9dcd15a9dee 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md)
-
-## PluginsServiceSetup.uiPlugins property
-
-<b>Signature:</b>
-
-```typescript
-uiPlugins: {
-        internal: Map<PluginName, InternalPluginInfo>;
-        public: Map<PluginName, DiscoveredPlugin>;
-        browserConfigs: Map<PluginName, Observable<unknown>>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md)
+
+## PluginsServiceSetup.uiPlugins property
+
+<b>Signature:</b>
+
+```typescript
+uiPlugins: {
+        internal: Map<PluginName, InternalPluginInfo>;
+        public: Map<PluginName, DiscoveredPlugin>;
+        browserConfigs: Map<PluginName, Observable<unknown>>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
index 694ca647883bd..23e4691ae7266 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) &gt; [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md)
-
-## PluginsServiceStart.contracts property
-
-<b>Signature:</b>
-
-```typescript
-contracts: Map<PluginName, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) &gt; [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md)
+
+## PluginsServiceStart.contracts property
+
+<b>Signature:</b>
+
+```typescript
+contracts: Map<PluginName, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
index 4ac66afbd7a3e..9d8e7ee3ef744 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md)
-
-## PluginsServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginsServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md)
+
+## PluginsServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginsServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.recursivereadonly.md b/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
index 562fb9131c7bb..9a0edaff6bcad 100644
--- a/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
+++ b/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md)
-
-## RecursiveReadonly type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
-    [K in keyof T]: RecursiveReadonly<T[K]>;
-}> : T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md)
+
+## RecursiveReadonly type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
+    [K in keyof T]: RecursiveReadonly<T[K]>;
+}> : T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md b/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
index 6fb0a5add2fb6..3d63865ce0f3e 100644
--- a/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md)
-
-## RedirectResponseOptions type
-
-HTTP response parameters for redirection response
-
-<b>Signature:</b>
-
-```typescript
-export declare type RedirectResponseOptions = HttpResponseOptions & {
-    headers: {
-        location: string;
-    };
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md)
+
+## RedirectResponseOptions type
+
+HTTP response parameters for redirection response
+
+<b>Signature:</b>
+
+```typescript
+export declare type RedirectResponseOptions = HttpResponseOptions & {
+    headers: {
+        location: string;
+    };
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandler.md b/docs/development/core/server/kibana-plugin-server.requesthandler.md
index 9fc183ffc334b..d9b6fc4a008e5 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandler.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandler.md
@@ -1,42 +1,42 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandler](./kibana-plugin-server.requesthandler.md)
-
-## RequestHandler type
-
-A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandler<P = unknown, Q = unknown, B = unknown, Method extends RouteMethod = any> = (context: RequestHandlerContext, request: KibanaRequest<P, Q, B, Method>, response: KibanaResponseFactory) => IKibanaResponse<any> | Promise<IKibanaResponse<any>>;
-```
-
-## Example
-
-
-```ts
-const router = httpSetup.createRouter();
-// creates a route handler for GET request on 'my-app/path/{id}' path
-router.get(
-  {
-    path: 'path/{id}',
-    // defines a validation schema for a named segment of the route path
-    validate: {
-      params: schema.object({
-        id: schema.string(),
-      }),
-    },
-  },
-  // function to execute to create a responses
-  async (context, request, response) => {
-    const data = await context.findObject(request.params.id);
-    // creates a command to respond with 'not found' error
-    if (!data) return response.notFound();
-    // creates a command to send found data to the client
-    return response.ok(data);
-  }
-);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandler](./kibana-plugin-server.requesthandler.md)
+
+## RequestHandler type
+
+A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandler<P = unknown, Q = unknown, B = unknown, Method extends RouteMethod = any> = (context: RequestHandlerContext, request: KibanaRequest<P, Q, B, Method>, response: KibanaResponseFactory) => IKibanaResponse<any> | Promise<IKibanaResponse<any>>;
+```
+
+## Example
+
+
+```ts
+const router = httpSetup.createRouter();
+// creates a route handler for GET request on 'my-app/path/{id}' path
+router.get(
+  {
+    path: 'path/{id}',
+    // defines a validation schema for a named segment of the route path
+    validate: {
+      params: schema.object({
+        id: schema.string(),
+      }),
+    },
+  },
+  // function to execute to create a responses
+  async (context, request, response) => {
+    const data = await context.findObject(request.params.id);
+    // creates a command to respond with 'not found' error
+    if (!data) return response.notFound();
+    // creates a command to send found data to the client
+    return response.ok(data);
+  }
+);
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
index d1760dafd5bb6..77bfd85e6e54b 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) &gt; [core](./kibana-plugin-server.requesthandlercontext.core.md)
-
-## RequestHandlerContext.core property
-
-<b>Signature:</b>
-
-```typescript
-core: {
-        rendering: IScopedRenderingClient;
-        savedObjects: {
-            client: SavedObjectsClientContract;
-        };
-        elasticsearch: {
-            dataClient: IScopedClusterClient;
-            adminClient: IScopedClusterClient;
-        };
-        uiSettings: {
-            client: IUiSettingsClient;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) &gt; [core](./kibana-plugin-server.requesthandlercontext.core.md)
+
+## RequestHandlerContext.core property
+
+<b>Signature:</b>
+
+```typescript
+core: {
+        rendering: IScopedRenderingClient;
+        savedObjects: {
+            client: SavedObjectsClientContract;
+        };
+        elasticsearch: {
+            dataClient: IScopedClusterClient;
+            adminClient: IScopedClusterClient;
+        };
+        uiSettings: {
+            client: IUiSettingsClient;
+        };
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
index 7c8625a5824ee..4d14d890f51a2 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)
-
-## RequestHandlerContext interface
-
-Plugin specific context passed to a route handler.
-
-Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request
-
-<b>Signature:</b>
-
-```typescript
-export interface RequestHandlerContext 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.requesthandlercontext.core.md) | <code>{</code><br/><code>        rendering: IScopedRenderingClient;</code><br/><code>        savedObjects: {</code><br/><code>            client: SavedObjectsClientContract;</code><br/><code>        };</code><br/><code>        elasticsearch: {</code><br/><code>            dataClient: IScopedClusterClient;</code><br/><code>            adminClient: IScopedClusterClient;</code><br/><code>        };</code><br/><code>        uiSettings: {</code><br/><code>            client: IUiSettingsClient;</code><br/><code>        };</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)
+
+## RequestHandlerContext interface
+
+Plugin specific context passed to a route handler.
+
+Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request
+
+<b>Signature:</b>
+
+```typescript
+export interface RequestHandlerContext 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.requesthandlercontext.core.md) | <code>{</code><br/><code>        rendering: IScopedRenderingClient;</code><br/><code>        savedObjects: {</code><br/><code>            client: SavedObjectsClientContract;</code><br/><code>        };</code><br/><code>        elasticsearch: {</code><br/><code>            dataClient: IScopedClusterClient;</code><br/><code>            adminClient: IScopedClusterClient;</code><br/><code>        };</code><br/><code>        uiSettings: {</code><br/><code>            client: IUiSettingsClient;</code><br/><code>        };</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
index b76a9ce7d235c..90bb49b292a70 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md)
-
-## RequestHandlerContextContainer type
-
-An object that handles registration of http request context providers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandlerContextContainer = IContextContainer<RequestHandler<any, any, any>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md)
+
+## RequestHandlerContextContainer type
+
+An object that handles registration of http request context providers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandlerContextContainer = IContextContainer<RequestHandler<any, any, any>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
index ea7294b721aab..f75462f8d1218 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md)
-
-## RequestHandlerContextProvider type
-
-Context provider for request handler. Extends request context object with provided functionality or data.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandlerContextProvider<TContextName extends keyof RequestHandlerContext> = IContextProvider<RequestHandler<any, any, any>, TContextName>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md)
+
+## RequestHandlerContextProvider type
+
+Context provider for request handler. Extends request context object with provided functionality or data.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandlerContextProvider<TContextName extends keyof RequestHandlerContext> = IContextProvider<RequestHandler<any, any, any>, TContextName>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseerror.md b/docs/development/core/server/kibana-plugin-server.responseerror.md
index 11d5e786d66e8..a623ddf8f3395 100644
--- a/docs/development/core/server/kibana-plugin-server.responseerror.md
+++ b/docs/development/core/server/kibana-plugin-server.responseerror.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseError](./kibana-plugin-server.responseerror.md)
-
-## ResponseError type
-
-Error message and optional data send to the client in case of error.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseError = string | Error | {
-    message: string | Error;
-    attributes?: ResponseErrorAttributes;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseError](./kibana-plugin-server.responseerror.md)
+
+## ResponseError type
+
+Error message and optional data send to the client in case of error.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseError = string | Error | {
+    message: string | Error;
+    attributes?: ResponseErrorAttributes;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md b/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
index 32cc72e9a0d52..75db8594e636c 100644
--- a/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
+++ b/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md)
-
-## ResponseErrorAttributes type
-
-Additional data to provide error details.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseErrorAttributes = Record<string, any>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md)
+
+## ResponseErrorAttributes type
+
+Additional data to provide error details.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseErrorAttributes = Record<string, any>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseheaders.md b/docs/development/core/server/kibana-plugin-server.responseheaders.md
index c6ba852b9a624..606c880360edc 100644
--- a/docs/development/core/server/kibana-plugin-server.responseheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.responseheaders.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseHeaders](./kibana-plugin-server.responseheaders.md)
-
-## ResponseHeaders type
-
-Http response headers to set.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseHeaders = {
-    [header in KnownHeaders]?: string | string[];
-} & {
-    [header: string]: string | string[];
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseHeaders](./kibana-plugin-server.responseheaders.md)
+
+## ResponseHeaders type
+
+Http response headers to set.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseHeaders = {
+    [header in KnownHeaders]?: string | string[];
+} & {
+    [header: string]: string | string[];
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.md b/docs/development/core/server/kibana-plugin-server.routeconfig.md
index 4beb12f0d056e..78c18afc3ca8c 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md)
-
-## RouteConfig interface
-
-Route specific configuration.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfig<P, Q, B, Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [options](./kibana-plugin-server.routeconfig.options.md) | <code>RouteConfigOptions&lt;Method&gt;</code> | Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->. |
-|  [path](./kibana-plugin-server.routeconfig.path.md) | <code>string</code> | The endpoint \_within\_ the router path to register the route. |
-|  [validate](./kibana-plugin-server.routeconfig.validate.md) | <code>RouteValidatorFullConfig&lt;P, Q, B&gt; &#124; false</code> | A schema created with <code>@kbn/config-schema</code> that every request will be validated against. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md)
+
+## RouteConfig interface
+
+Route specific configuration.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfig<P, Q, B, Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [options](./kibana-plugin-server.routeconfig.options.md) | <code>RouteConfigOptions&lt;Method&gt;</code> | Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->. |
+|  [path](./kibana-plugin-server.routeconfig.path.md) | <code>string</code> | The endpoint \_within\_ the router path to register the route. |
+|  [validate](./kibana-plugin-server.routeconfig.validate.md) | <code>RouteValidatorFullConfig&lt;P, Q, B&gt; &#124; false</code> | A schema created with <code>@kbn/config-schema</code> that every request will be validated against. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.options.md b/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
index 90ad294457101..5423b3c197973 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [options](./kibana-plugin-server.routeconfig.options.md)
-
-## RouteConfig.options property
-
-Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-options?: RouteConfigOptions<Method>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [options](./kibana-plugin-server.routeconfig.options.md)
+
+## RouteConfig.options property
+
+Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+options?: RouteConfigOptions<Method>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.path.md b/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
index 0e6fa19f98ace..1e1e01a74de31 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [path](./kibana-plugin-server.routeconfig.path.md)
-
-## RouteConfig.path property
-
-The endpoint \_within\_ the router path to register the route.
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
-
-## Remarks
-
-E.g. if the router is registered at `/elasticsearch` and the route path is `/search`<!-- -->, the full path for the route is `/elasticsearch/search`<!-- -->. Supports: - named path segments `path/{name}`<!-- -->. - optional path segments `path/{position?}`<!-- -->. - multi-segments `path/{coordinates*2}`<!-- -->. Segments are accessible within a handler function as `params` property of [KibanaRequest](./kibana-plugin-server.kibanarequest.md) object. To have read access to `params` you \*must\* specify validation schema with [RouteConfig.validate](./kibana-plugin-server.routeconfig.validate.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [path](./kibana-plugin-server.routeconfig.path.md)
+
+## RouteConfig.path property
+
+The endpoint \_within\_ the router path to register the route.
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
+
+## Remarks
+
+E.g. if the router is registered at `/elasticsearch` and the route path is `/search`<!-- -->, the full path for the route is `/elasticsearch/search`<!-- -->. Supports: - named path segments `path/{name}`<!-- -->. - optional path segments `path/{position?}`<!-- -->. - multi-segments `path/{coordinates*2}`<!-- -->. Segments are accessible within a handler function as `params` property of [KibanaRequest](./kibana-plugin-server.kibanarequest.md) object. To have read access to `params` you \*must\* specify validation schema with [RouteConfig.validate](./kibana-plugin-server.routeconfig.validate.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md b/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
index 23a72fc3c68b3..c69ff4cbb5af2 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
@@ -1,62 +1,62 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [validate](./kibana-plugin-server.routeconfig.validate.md)
-
-## RouteConfig.validate property
-
-A schema created with `@kbn/config-schema` that every request will be validated against.
-
-<b>Signature:</b>
-
-```typescript
-validate: RouteValidatorFullConfig<P, Q, B> | false;
-```
-
-## Remarks
-
-You \*must\* specify a validation schema to be able to read: - url path segments - request query - request body To opt out of validating the request, specify `validate: false`<!-- -->. In this case request params, query, and body will be \*\*empty\*\* objects and have no access to raw values. In some cases you may want to use another validation library. To do this, you need to instruct the `@kbn/config-schema` library to output \*\*non-validated values\*\* with setting schema as `schema.object({}, { allowUnknowns: true })`<!-- -->;
-
-## Example
-
-
-```ts
- import { schema } from '@kbn/config-schema';
- router.get({
-  path: 'path/{id}',
-  validate: {
-    params: schema.object({
-      id: schema.string(),
-    }),
-    query: schema.object({...}),
-    body: schema.object({...}),
-  },
-},
-(context, req, res,) {
-  req.params; // type Readonly<{id: string}>
-  console.log(req.params.id); // value
-});
-
-router.get({
-  path: 'path/{id}',
-  validate: false, // handler has no access to params, query, body values.
-},
-(context, req, res,) {
-  req.params; // type Readonly<{}>;
-  console.log(req.params.id); // undefined
-});
-
-router.get({
-  path: 'path/{id}',
-  validate: {
-    // handler has access to raw non-validated params in runtime
-    params: schema.object({}, { allowUnknowns: true })
-  },
-},
-(context, req, res,) {
-  req.params; // type Readonly<{}>;
-  console.log(req.params.id); // value
-  myValidationLibrary.validate({ params: req.params });
-});
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [validate](./kibana-plugin-server.routeconfig.validate.md)
+
+## RouteConfig.validate property
+
+A schema created with `@kbn/config-schema` that every request will be validated against.
+
+<b>Signature:</b>
+
+```typescript
+validate: RouteValidatorFullConfig<P, Q, B> | false;
+```
+
+## Remarks
+
+You \*must\* specify a validation schema to be able to read: - url path segments - request query - request body To opt out of validating the request, specify `validate: false`<!-- -->. In this case request params, query, and body will be \*\*empty\*\* objects and have no access to raw values. In some cases you may want to use another validation library. To do this, you need to instruct the `@kbn/config-schema` library to output \*\*non-validated values\*\* with setting schema as `schema.object({}, { allowUnknowns: true })`<!-- -->;
+
+## Example
+
+
+```ts
+ import { schema } from '@kbn/config-schema';
+ router.get({
+  path: 'path/{id}',
+  validate: {
+    params: schema.object({
+      id: schema.string(),
+    }),
+    query: schema.object({...}),
+    body: schema.object({...}),
+  },
+},
+(context, req, res,) {
+  req.params; // type Readonly<{id: string}>
+  console.log(req.params.id); // value
+});
+
+router.get({
+  path: 'path/{id}',
+  validate: false, // handler has no access to params, query, body values.
+},
+(context, req, res,) {
+  req.params; // type Readonly<{}>;
+  console.log(req.params.id); // undefined
+});
+
+router.get({
+  path: 'path/{id}',
+  validate: {
+    // handler has access to raw non-validated params in runtime
+    params: schema.object({}, { allowUnknowns: true })
+  },
+},
+(context, req, res,) {
+  req.params; // type Readonly<{}>;
+  console.log(req.params.id); // value
+  myValidationLibrary.validate({ params: req.params });
+});
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
index 2bb2491cae5df..e4cbca9c97810 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md)
-
-## RouteConfigOptions.authRequired property
-
-A flag shows that authentication for a route: `enabled` when true `disabled` when false
-
-Enabled by default.
-
-<b>Signature:</b>
-
-```typescript
-authRequired?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md)
+
+## RouteConfigOptions.authRequired property
+
+A flag shows that authentication for a route: `enabled` when true `disabled` when false
+
+Enabled by default.
+
+<b>Signature:</b>
+
+```typescript
+authRequired?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
index fee5528ce3378..8b7cc6ab06f7f 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [body](./kibana-plugin-server.routeconfigoptions.body.md)
-
-## RouteConfigOptions.body property
-
-Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-body?: Method extends 'get' | 'options' ? undefined : RouteConfigOptionsBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [body](./kibana-plugin-server.routeconfigoptions.body.md)
+
+## RouteConfigOptions.body property
+
+Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+body?: Method extends 'get' | 'options' ? undefined : RouteConfigOptionsBody;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
index 99339db81065c..0929e15b6228b 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)
-
-## RouteConfigOptions interface
-
-Additional route options.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfigOptions<Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md) | <code>boolean</code> | A flag shows that authentication for a route: <code>enabled</code> when true <code>disabled</code> when false<!-- -->Enabled by default. |
-|  [body](./kibana-plugin-server.routeconfigoptions.body.md) | <code>Method extends 'get' &#124; 'options' ? undefined : RouteConfigOptionsBody</code> | Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->. |
-|  [tags](./kibana-plugin-server.routeconfigoptions.tags.md) | <code>readonly string[]</code> | Additional metadata tag strings to attach to the route. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)
+
+## RouteConfigOptions interface
+
+Additional route options.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfigOptions<Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md) | <code>boolean</code> | A flag shows that authentication for a route: <code>enabled</code> when true <code>disabled</code> when false<!-- -->Enabled by default. |
+|  [body](./kibana-plugin-server.routeconfigoptions.body.md) | <code>Method extends 'get' &#124; 'options' ? undefined : RouteConfigOptionsBody</code> | Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->. |
+|  [tags](./kibana-plugin-server.routeconfigoptions.tags.md) | <code>readonly string[]</code> | Additional metadata tag strings to attach to the route. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
index e13ef883cc053..adcce0caa750f 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [tags](./kibana-plugin-server.routeconfigoptions.tags.md)
-
-## RouteConfigOptions.tags property
-
-Additional metadata tag strings to attach to the route.
-
-<b>Signature:</b>
-
-```typescript
-tags?: readonly string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [tags](./kibana-plugin-server.routeconfigoptions.tags.md)
+
+## RouteConfigOptions.tags property
+
+Additional metadata tag strings to attach to the route.
+
+<b>Signature:</b>
+
+```typescript
+tags?: readonly string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
index f48c9a1d73b11..f71388c2bbf4b 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md)
-
-## RouteConfigOptionsBody.accepts property
-
-A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.
-
-Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\*
-
-<b>Signature:</b>
-
-```typescript
-accepts?: RouteContentType | RouteContentType[] | string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md)
+
+## RouteConfigOptionsBody.accepts property
+
+A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.
+
+Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\*
+
+<b>Signature:</b>
+
+```typescript
+accepts?: RouteContentType | RouteContentType[] | string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
index 3d22dc07d5bae..1bf02285b4304 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md)
-
-## RouteConfigOptionsBody.maxBytes property
-
-Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.
-
-Default value: The one set in the kibana.yml config file under the parameter `server.maxPayloadBytes`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-maxBytes?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md)
+
+## RouteConfigOptionsBody.maxBytes property
+
+Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.
+
+Default value: The one set in the kibana.yml config file under the parameter `server.maxPayloadBytes`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+maxBytes?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
index 6ef04de459fcf..77bccd33cb52e 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)
-
-## RouteConfigOptionsBody interface
-
-Additional body options for a route
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfigOptionsBody 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md) | <code>RouteContentType &#124; RouteContentType[] &#124; string &#124; string[]</code> | A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.<!-- -->Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\* |
-|  [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md) | <code>number</code> | Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.<!-- -->Default value: The one set in the kibana.yml config file under the parameter <code>server.maxPayloadBytes</code>. |
-|  [output](./kibana-plugin-server.routeconfigoptionsbody.output.md) | <code>typeof validBodyOutput[number]</code> | The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).<!-- -->Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure. |
-|  [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md) | <code>boolean &#124; 'gunzip'</code> | Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.<!-- -->Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)
+
+## RouteConfigOptionsBody interface
+
+Additional body options for a route
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfigOptionsBody 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md) | <code>RouteContentType &#124; RouteContentType[] &#124; string &#124; string[]</code> | A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.<!-- -->Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\* |
+|  [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md) | <code>number</code> | Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.<!-- -->Default value: The one set in the kibana.yml config file under the parameter <code>server.maxPayloadBytes</code>. |
+|  [output](./kibana-plugin-server.routeconfigoptionsbody.output.md) | <code>typeof validBodyOutput[number]</code> | The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).<!-- -->Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure. |
+|  [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md) | <code>boolean &#124; 'gunzip'</code> | Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.<!-- -->Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
index b84bc709df3ec..1c66589df9e80 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [output](./kibana-plugin-server.routeconfigoptionsbody.output.md)
-
-## RouteConfigOptionsBody.output property
-
-The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).
-
-Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure.
-
-<b>Signature:</b>
-
-```typescript
-output?: typeof validBodyOutput[number];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [output](./kibana-plugin-server.routeconfigoptionsbody.output.md)
+
+## RouteConfigOptionsBody.output property
+
+The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).
+
+Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure.
+
+<b>Signature:</b>
+
+```typescript
+output?: typeof validBodyOutput[number];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
index d395f67c69669..b030c9de302af 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md)
-
-## RouteConfigOptionsBody.parse property
-
-Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.
-
-Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure.
-
-<b>Signature:</b>
-
-```typescript
-parse?: boolean | 'gunzip';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md)
+
+## RouteConfigOptionsBody.parse property
+
+Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.
+
+Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure.
+
+<b>Signature:</b>
+
+```typescript
+parse?: boolean | 'gunzip';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routecontenttype.md b/docs/development/core/server/kibana-plugin-server.routecontenttype.md
index 010388c7b8f17..3c9b88938d131 100644
--- a/docs/development/core/server/kibana-plugin-server.routecontenttype.md
+++ b/docs/development/core/server/kibana-plugin-server.routecontenttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteContentType](./kibana-plugin-server.routecontenttype.md)
-
-## RouteContentType type
-
-The set of supported parseable Content-Types
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteContentType = 'application/json' | 'application/*+json' | 'application/octet-stream' | 'application/x-www-form-urlencoded' | 'multipart/form-data' | 'text/*';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteContentType](./kibana-plugin-server.routecontenttype.md)
+
+## RouteContentType type
+
+The set of supported parseable Content-Types
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteContentType = 'application/json' | 'application/*+json' | 'application/octet-stream' | 'application/x-www-form-urlencoded' | 'multipart/form-data' | 'text/*';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routemethod.md b/docs/development/core/server/kibana-plugin-server.routemethod.md
index 4f83344f842b3..939ae94b85691 100644
--- a/docs/development/core/server/kibana-plugin-server.routemethod.md
+++ b/docs/development/core/server/kibana-plugin-server.routemethod.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteMethod](./kibana-plugin-server.routemethod.md)
-
-## RouteMethod type
-
-The set of common HTTP methods supported by Kibana routing.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteMethod = 'get' | 'post' | 'put' | 'delete' | 'patch' | 'options';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteMethod](./kibana-plugin-server.routemethod.md)
+
+## RouteMethod type
+
+The set of common HTTP methods supported by Kibana routing.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteMethod = 'get' | 'post' | 'put' | 'delete' | 'patch' | 'options';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeregistrar.md b/docs/development/core/server/kibana-plugin-server.routeregistrar.md
index 901d260fee21d..b886305731c3c 100644
--- a/docs/development/core/server/kibana-plugin-server.routeregistrar.md
+++ b/docs/development/core/server/kibana-plugin-server.routeregistrar.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteRegistrar](./kibana-plugin-server.routeregistrar.md)
-
-## RouteRegistrar type
-
-Route handler common definition
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteRegistrar<Method extends RouteMethod> = <P, Q, B>(route: RouteConfig<P, Q, B, Method>, handler: RequestHandler<P, Q, B, Method>) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteRegistrar](./kibana-plugin-server.routeregistrar.md)
+
+## RouteRegistrar type
+
+Route handler common definition
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteRegistrar<Method extends RouteMethod> = <P, Q, B>(route: RouteConfig<P, Q, B, Method>, handler: RequestHandler<P, Q, B, Method>) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md b/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
index 551e13faaf154..d643cc31f50cf 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) &gt; [(constructor)](./kibana-plugin-server.routevalidationerror._constructor_.md)
-
-## RouteValidationError.(constructor)
-
-Constructs a new instance of the `RouteValidationError` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(error: Error | string, path?: string[]);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; string</code> |  |
-|  path | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) &gt; [(constructor)](./kibana-plugin-server.routevalidationerror._constructor_.md)
+
+## RouteValidationError.(constructor)
+
+Constructs a new instance of the `RouteValidationError` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(error: Error | string, path?: string[]);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; string</code> |  |
+|  path | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationerror.md b/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
index 71bd72dca2eab..7c84b26e9291e 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md)
-
-## RouteValidationError class
-
-Error to return when the validation is not successful.
-
-<b>Signature:</b>
-
-```typescript
-export declare class RouteValidationError extends SchemaTypeError 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(error, path)](./kibana-plugin-server.routevalidationerror._constructor_.md) |  | Constructs a new instance of the <code>RouteValidationError</code> class |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md)
+
+## RouteValidationError class
+
+Error to return when the validation is not successful.
+
+<b>Signature:</b>
+
+```typescript
+export declare class RouteValidationError extends SchemaTypeError 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(error, path)](./kibana-plugin-server.routevalidationerror._constructor_.md) |  | Constructs a new instance of the <code>RouteValidationError</code> class |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md b/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
index 34fa096aaae78..e64f6ae0178bc 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
@@ -1,42 +1,42 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)
-
-## RouteValidationFunction type
-
-The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidationFunction<T> = (data: any, validationResult: RouteValidationResultFactory) => {
-    value: T;
-    error?: never;
-} | {
-    value?: never;
-    error: RouteValidationError;
-};
-```
-
-## Example
-
-The validation should look something like:
-
-```typescript
-interface MyExpectedBody {
-  bar: string;
-  baz: number;
-}
-
-const myBodyValidation: RouteValidationFunction<MyExpectedBody> = (data, validationResult) => {
-  const { ok, badRequest } = validationResult;
-  const { bar, baz } = data || {};
-  if (typeof bar === 'string' && typeof baz === 'number') {
-    return ok({ bar, baz });
-  } else {
-    return badRequest('Wrong payload', ['body']);
-  }
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)
+
+## RouteValidationFunction type
+
+The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidationFunction<T> = (data: any, validationResult: RouteValidationResultFactory) => {
+    value: T;
+    error?: never;
+} | {
+    value?: never;
+    error: RouteValidationError;
+};
+```
+
+## Example
+
+The validation should look something like:
+
+```typescript
+interface MyExpectedBody {
+  bar: string;
+  baz: number;
+}
+
+const myBodyValidation: RouteValidationFunction<MyExpectedBody> = (data, validationResult) => {
+  const { ok, badRequest } = validationResult;
+  const { bar, baz } = data || {};
+  if (typeof bar === 'string' && typeof baz === 'number') {
+    return ok({ bar, baz });
+  } else {
+    return badRequest('Wrong payload', ['body']);
+  }
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
index 36ea6103fb352..29406a2d9866a 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md)
-
-## RouteValidationResultFactory.badRequest property
-
-<b>Signature:</b>
-
-```typescript
-badRequest: (error: Error | string, path?: string[]) => {
-        error: RouteValidationError;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md)
+
+## RouteValidationResultFactory.badRequest property
+
+<b>Signature:</b>
+
+```typescript
+badRequest: (error: Error | string, path?: string[]) => {
+        error: RouteValidationError;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
index 5f44b490e9a17..eac2e0e6c4c1a 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md)
-
-## RouteValidationResultFactory interface
-
-Validation result factory to be used in the custom validation function to return the valid data or validation errors
-
-See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidationResultFactory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md) | <code>(error: Error &#124; string, path?: string[]) =&gt; {</code><br/><code>        error: RouteValidationError;</code><br/><code>    }</code> |  |
-|  [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md) | <code>&lt;T&gt;(value: T) =&gt; {</code><br/><code>        value: T;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md)
+
+## RouteValidationResultFactory interface
+
+Validation result factory to be used in the custom validation function to return the valid data or validation errors
+
+See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidationResultFactory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md) | <code>(error: Error &#124; string, path?: string[]) =&gt; {</code><br/><code>        error: RouteValidationError;</code><br/><code>    }</code> |  |
+|  [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md) | <code>&lt;T&gt;(value: T) =&gt; {</code><br/><code>        value: T;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
index eca6a31bd547f..5ba36a4b5bc3b 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md)
-
-## RouteValidationResultFactory.ok property
-
-<b>Signature:</b>
-
-```typescript
-ok: <T>(value: T) => {
-        value: T;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md)
+
+## RouteValidationResultFactory.ok property
+
+<b>Signature:</b>
+
+```typescript
+ok: <T>(value: T) => {
+        value: T;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationspec.md b/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
index f5fc06544043f..67b9bd9b8daa8 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md)
-
-## RouteValidationSpec type
-
-Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions
-
-See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidationSpec<T> = ObjectType | Type<T> | RouteValidationFunction<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md)
+
+## RouteValidationSpec type
+
+Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions
+
+See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidationSpec<T> = ObjectType | Type<T> | RouteValidationFunction<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
index 8b5d2c0413087..56b7552f615f0 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [body](./kibana-plugin-server.routevalidatorconfig.body.md)
-
-## RouteValidatorConfig.body property
-
-Validation logic for the body payload
-
-<b>Signature:</b>
-
-```typescript
-body?: RouteValidationSpec<B>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [body](./kibana-plugin-server.routevalidatorconfig.body.md)
+
+## RouteValidatorConfig.body property
+
+Validation logic for the body payload
+
+<b>Signature:</b>
+
+```typescript
+body?: RouteValidationSpec<B>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
index 4637da7741d80..6bdba920702d7 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md)
-
-## RouteValidatorConfig interface
-
-The configuration object to the RouteValidator class. Set `params`<!-- -->, `query` and/or `body` to specify the validation logic to follow for that property.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidatorConfig<P, Q, B> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.routevalidatorconfig.body.md) | <code>RouteValidationSpec&lt;B&gt;</code> | Validation logic for the body payload |
-|  [params](./kibana-plugin-server.routevalidatorconfig.params.md) | <code>RouteValidationSpec&lt;P&gt;</code> | Validation logic for the URL params |
-|  [query](./kibana-plugin-server.routevalidatorconfig.query.md) | <code>RouteValidationSpec&lt;Q&gt;</code> | Validation logic for the Query params |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md)
+
+## RouteValidatorConfig interface
+
+The configuration object to the RouteValidator class. Set `params`<!-- -->, `query` and/or `body` to specify the validation logic to follow for that property.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidatorConfig<P, Q, B> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.routevalidatorconfig.body.md) | <code>RouteValidationSpec&lt;B&gt;</code> | Validation logic for the body payload |
+|  [params](./kibana-plugin-server.routevalidatorconfig.params.md) | <code>RouteValidationSpec&lt;P&gt;</code> | Validation logic for the URL params |
+|  [query](./kibana-plugin-server.routevalidatorconfig.query.md) | <code>RouteValidationSpec&lt;Q&gt;</code> | Validation logic for the Query params |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
index 11de25ff3b19f..33ad91bf6badf 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [params](./kibana-plugin-server.routevalidatorconfig.params.md)
-
-## RouteValidatorConfig.params property
-
-Validation logic for the URL params
-
-<b>Signature:</b>
-
-```typescript
-params?: RouteValidationSpec<P>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [params](./kibana-plugin-server.routevalidatorconfig.params.md)
+
+## RouteValidatorConfig.params property
+
+Validation logic for the URL params
+
+<b>Signature:</b>
+
+```typescript
+params?: RouteValidationSpec<P>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
index 510325c2dfff7..272c696c59593 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [query](./kibana-plugin-server.routevalidatorconfig.query.md)
-
-## RouteValidatorConfig.query property
-
-Validation logic for the Query params
-
-<b>Signature:</b>
-
-```typescript
-query?: RouteValidationSpec<Q>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [query](./kibana-plugin-server.routevalidatorconfig.query.md)
+
+## RouteValidatorConfig.query property
+
+Validation logic for the Query params
+
+<b>Signature:</b>
+
+```typescript
+query?: RouteValidationSpec<Q>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md b/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
index 0f3785b954a3a..90d7501c4af17 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md)
-
-## RouteValidatorFullConfig type
-
-Route validations config and options merged into one object
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidatorFullConfig<P, Q, B> = RouteValidatorConfig<P, Q, B> & RouteValidatorOptions;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md)
+
+## RouteValidatorFullConfig type
+
+Route validations config and options merged into one object
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidatorFullConfig<P, Q, B> = RouteValidatorConfig<P, Q, B> & RouteValidatorOptions;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
index 00b029d9928e3..ddbc9d28c3b06 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md)
-
-## RouteValidatorOptions interface
-
-Additional options for the RouteValidator class to modify its default behaviour.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidatorOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md) | <code>{</code><br/><code>        params?: boolean;</code><br/><code>        query?: boolean;</code><br/><code>        body?: boolean;</code><br/><code>    }</code> | Set the <code>unsafe</code> config to avoid running some additional internal \*safe\* validations on top of your custom validation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md)
+
+## RouteValidatorOptions interface
+
+Additional options for the RouteValidator class to modify its default behaviour.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidatorOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md) | <code>{</code><br/><code>        params?: boolean;</code><br/><code>        query?: boolean;</code><br/><code>        body?: boolean;</code><br/><code>    }</code> | Set the <code>unsafe</code> config to avoid running some additional internal \*safe\* validations on top of your custom validation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
index 0406a372c4e9d..60f868aedfc05 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) &gt; [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md)
-
-## RouteValidatorOptions.unsafe property
-
-Set the `unsafe` config to avoid running some additional internal \*safe\* validations on top of your custom validation
-
-<b>Signature:</b>
-
-```typescript
-unsafe?: {
-        params?: boolean;
-        query?: boolean;
-        body?: boolean;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) &gt; [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md)
+
+## RouteValidatorOptions.unsafe property
+
+Set the `unsafe` config to avoid running some additional internal \*safe\* validations on top of your custom validation
+
+<b>Signature:</b>
+
+```typescript
+unsafe?: {
+        params?: boolean;
+        query?: boolean;
+        body?: boolean;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
index 7049ca65e96d3..8284548d9d94c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [attributes](./kibana-plugin-server.savedobject.attributes.md)
-
-## SavedObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [attributes](./kibana-plugin-server.savedobject.attributes.md)
+
+## SavedObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.error.md b/docs/development/core/server/kibana-plugin-server.savedobject.error.md
index 910f1fa32d5df..4baea1599eae8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.error.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.error.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [error](./kibana-plugin-server.savedobject.error.md)
-
-## SavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error?: {
-        message: string;
-        statusCode: number;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [error](./kibana-plugin-server.savedobject.error.md)
+
+## SavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error?: {
+        message: string;
+        statusCode: number;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobject.id.md
index cc0127eb6ab04..7048d10365299 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [id](./kibana-plugin-server.savedobject.id.md)
-
-## SavedObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [id](./kibana-plugin-server.savedobject.id.md)
+
+## SavedObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.md b/docs/development/core/server/kibana-plugin-server.savedobject.md
index c7099cdce7ecd..b3184fd38ad93 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md)
-
-## SavedObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [error](./kibana-plugin-server.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
-|  [id](./kibana-plugin-server.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-server.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [type](./kibana-plugin-server.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
-|  [updated\_at](./kibana-plugin-server.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
-|  [version](./kibana-plugin-server.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md)
+
+## SavedObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [error](./kibana-plugin-server.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
+|  [id](./kibana-plugin-server.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-server.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [type](./kibana-plugin-server.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
+|  [updated\_at](./kibana-plugin-server.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
+|  [version](./kibana-plugin-server.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
index 63c353a8b2e75..5e8486ebb8b08 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md)
-
-## SavedObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md)
+
+## SavedObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.references.md b/docs/development/core/server/kibana-plugin-server.savedobject.references.md
index 22d4c84e9bcad..7381e0e814748 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [references](./kibana-plugin-server.savedobject.references.md)
-
-## SavedObject.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [references](./kibana-plugin-server.savedobject.references.md)
+
+## SavedObject.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobject.type.md
index 0498b2d780484..0e79e6ccb54cb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [type](./kibana-plugin-server.savedobject.type.md)
-
-## SavedObject.type property
-
-The type of Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [type](./kibana-plugin-server.savedobject.type.md)
+
+## SavedObject.type property
+
+The type of Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md b/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
index bf57cbc08dbb4..38db2a5e96398 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [updated\_at](./kibana-plugin-server.savedobject.updated_at.md)
-
-## SavedObject.updated\_at property
-
-Timestamp of the last time this document had been updated.
-
-<b>Signature:</b>
-
-```typescript
-updated_at?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [updated\_at](./kibana-plugin-server.savedobject.updated_at.md)
+
+## SavedObject.updated\_at property
+
+Timestamp of the last time this document had been updated.
+
+<b>Signature:</b>
+
+```typescript
+updated_at?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.version.md b/docs/development/core/server/kibana-plugin-server.savedobject.version.md
index a1c2f2c6c3b44..e81e37198226c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.version.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [version](./kibana-plugin-server.savedobject.version.md)
-
-## SavedObject.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [version](./kibana-plugin-server.savedobject.version.md)
+
+## SavedObject.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md b/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
index 6696d9c6ce96d..b25fc079a7d7b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
-
-## SavedObjectAttribute type
-
-Type definition for a Saved Object attribute value
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
+
+## SavedObjectAttribute type
+
+Type definition for a Saved Object attribute value
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
index 6d24eb02b4eaf..7e80e757775bb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md)
-
-## SavedObjectAttributes interface
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectAttributes 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md)
+
+## SavedObjectAttributes interface
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectAttributes 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md b/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
index b2ddb59ddb252..7928b594bf9dc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md)
-
-## SavedObjectAttributeSingle type
-
-Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md)
+
+## SavedObjectAttributeSingle type
+
+Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
index f6e11c0228743..e4d7ff3e8e831 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [id](./kibana-plugin-server.savedobjectreference.id.md)
-
-## SavedObjectReference.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [id](./kibana-plugin-server.savedobjectreference.id.md)
+
+## SavedObjectReference.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
index 75cf59ea3b925..3ceb1c3c949fe 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md)
-
-## SavedObjectReference interface
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectReference 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectreference.id.md) | <code>string</code> |  |
-|  [name](./kibana-plugin-server.savedobjectreference.name.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectreference.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md)
+
+## SavedObjectReference interface
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectReference 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectreference.id.md) | <code>string</code> |  |
+|  [name](./kibana-plugin-server.savedobjectreference.name.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectreference.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
index 8a88128c3fbc1..f22884367db27 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [name](./kibana-plugin-server.savedobjectreference.name.md)
-
-## SavedObjectReference.name property
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [name](./kibana-plugin-server.savedobjectreference.name.md)
+
+## SavedObjectReference.name property
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
index 5347256dfa2dc..2d34cec0bc3a5 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [type](./kibana-plugin-server.savedobjectreference.type.md)
-
-## SavedObjectReference.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [type](./kibana-plugin-server.savedobjectreference.type.md)
+
+## SavedObjectReference.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
index 6eace924490cc..daf5a36ffc690 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md)
-
-## SavedObjectsBaseOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md)
+
+## SavedObjectsBaseOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
index 6e921dc8ab60e..97eb45d70cef2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md)
-
-## SavedObjectsBaseOptions.namespace property
-
-Specify the namespace for this operation
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md)
+
+## SavedObjectsBaseOptions.namespace property
+
+Specify the namespace for this operation
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
index cfa19c5fb3fd8..ca45721381c3b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md)
-
-## SavedObjectsBulkCreateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md)
+
+## SavedObjectsBulkCreateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
index 6b8b65339ffa3..3eceb5c782a81 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md)
-
-## SavedObjectsBulkCreateObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md)
+
+## SavedObjectsBulkCreateObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
index bae275777310a..87386b986009d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md)
-
-## SavedObjectsBulkCreateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
-|  [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md) | <code>string</code> |  |
-|  [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md)
+
+## SavedObjectsBulkCreateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
+|  [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md) | <code>string</code> |  |
+|  [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
index 6065988a8d0fc..df76370da2426 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md)
-
-## SavedObjectsBulkCreateObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md)
+
+## SavedObjectsBulkCreateObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
index 0a96787de03a9..9674dc69ef71e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md)
-
-## SavedObjectsBulkCreateObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md)
+
+## SavedObjectsBulkCreateObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
index 8db44a46d7f3f..a68f614f73eb7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md)
-
-## SavedObjectsBulkCreateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md)
+
+## SavedObjectsBulkCreateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
index d67df82b123e7..fdea718e27a60 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md)
-
-## SavedObjectsBulkGetObject.fields property
-
-SavedObject fields to include in the response
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md)
+
+## SavedObjectsBulkGetObject.fields property
+
+SavedObject fields to include in the response
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
index 3476d3276181c..78f37d8a62a00 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md)
-
-## SavedObjectsBulkGetObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md)
+
+## SavedObjectsBulkGetObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
index ae89f30b9f754..ef8b76a418848 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md)
-
-## SavedObjectsBulkGetObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkGetObject 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md) | <code>string[]</code> | SavedObject fields to include in the response |
-|  [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md)
+
+## SavedObjectsBulkGetObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkGetObject 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md) | <code>string[]</code> | SavedObject fields to include in the response |
+|  [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
index c3fef3704faa7..2317170fa04a2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md)
-
-## SavedObjectsBulkGetObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md)
+
+## SavedObjectsBulkGetObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
index 7ff4934a2af66..20a1194c87eda 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md)
-
-## SavedObjectsBulkResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md)
+
+## SavedObjectsBulkResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
index 78f0fe36eaedc..c6cfb230f75eb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md)
-
-## SavedObjectsBulkResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md)
+
+## SavedObjectsBulkResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObject<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
index 3de73d133d7a7..bd80c8d093d0f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md)
-
-## SavedObjectsBulkUpdateObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: Partial<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md)
+
+## SavedObjectsBulkUpdateObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: Partial<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
index 88bc9f306b26c..1cdaf5288c0ca 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md)
-
-## SavedObjectsBulkUpdateObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md)
+
+## SavedObjectsBulkUpdateObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
index b84bbe0a17344..8e4e3d761148e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md)
-
-## SavedObjectsBulkUpdateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = any> extends Pick<SavedObjectsUpdateOptions, 'version' | 'references'> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md) | <code>Partial&lt;T&gt;</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md) | <code>string</code> | The type of this Saved Object. Each plugin can define it's own custom Saved Object types. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md)
+
+## SavedObjectsBulkUpdateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = any> extends Pick<SavedObjectsUpdateOptions, 'version' | 'references'> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md) | <code>Partial&lt;T&gt;</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md) | <code>string</code> | The type of this Saved Object. Each plugin can define it's own custom Saved Object types. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
index d2d46b24ea8be..c95faf80c84cb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md)
-
-## SavedObjectsBulkUpdateObject.type property
-
-The type of this Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md)
+
+## SavedObjectsBulkUpdateObject.type property
+
+The type of this Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
index 920a6ca224df4..fb18d80fe3f09 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md)
-
-## SavedObjectsBulkUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md)
+
+## SavedObjectsBulkUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
index 35e9e6483da10..52913cd776ebb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md)
-
-## SavedObjectsBulkUpdateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md)
+
+## SavedObjectsBulkUpdateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
index 03707bd14a3eb..065b9df0823cd 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md)
-
-## SavedObjectsBulkUpdateResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md) | <code>Array&lt;SavedObjectsUpdateResponse&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md)
+
+## SavedObjectsBulkUpdateResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md) | <code>Array&lt;SavedObjectsUpdateResponse&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
index 0ca54ca176292..b8fc07b819bed 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md)
-
-## SavedObjectsBulkUpdateResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObjectsUpdateResponse<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md)
+
+## SavedObjectsBulkUpdateResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObjectsUpdateResponse<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
index 1081a91f92762..40f947188de54 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsclient.bulkcreate.md)
-
-## SavedObjectsClient.bulkCreate() method
-
-Persists multiple documents batched together as a single request
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsclient.bulkcreate.md)
+
+## SavedObjectsClient.bulkCreate() method
+
+Persists multiple documents batched together as a single request
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
index 6fbeadd4ce67c..c86c30d14db3b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsclient.bulkget.md)
-
-## SavedObjectsClient.bulkGet() method
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkGetObject[]</code> | an array of ids, or an array of objects containing id, type and optionally fields |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsclient.bulkget.md)
+
+## SavedObjectsClient.bulkGet() method
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkGetObject[]</code> | an array of ids, or an array of objects containing id, type and optionally fields |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
index 30db524ffa02c..33958837ebca3 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsclient.bulkupdate.md)
-
-## SavedObjectsClient.bulkUpdate() method
-
-Bulk Updates multiple SavedObject at once
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkUpdateResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsclient.bulkupdate.md)
+
+## SavedObjectsClient.bulkUpdate() method
+
+Bulk Updates multiple SavedObject at once
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkUpdateResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
index 68b97ccdf2aef..ddb78a57e71bc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [create](./kibana-plugin-server.savedobjectsclient.create.md)
-
-## SavedObjectsClient.create() method
-
-Persists a SavedObject
-
-<b>Signature:</b>
-
-```typescript
-create<T extends SavedObjectAttributes = any>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [create](./kibana-plugin-server.savedobjectsclient.create.md)
+
+## SavedObjectsClient.create() method
+
+Persists a SavedObject
+
+<b>Signature:</b>
+
+```typescript
+create<T extends SavedObjectAttributes = any>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
index c20c7e886490a..310ab0d78f7a6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [delete](./kibana-plugin-server.savedobjectsclient.delete.md)
-
-## SavedObjectsClient.delete() method
-
-Deletes a SavedObject
-
-<b>Signature:</b>
-
-```typescript
-delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{}>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [delete](./kibana-plugin-server.savedobjectsclient.delete.md)
+
+## SavedObjectsClient.delete() method
+
+Deletes a SavedObject
+
+<b>Signature:</b>
+
+```typescript
+delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{}>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
index f08440485c63c..9e6eb8d414002 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [errors](./kibana-plugin-server.savedobjectsclient.errors.md)
-
-## SavedObjectsClient.errors property
-
-<b>Signature:</b>
-
-```typescript
-static errors: typeof SavedObjectsErrorHelpers;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [errors](./kibana-plugin-server.savedobjectsclient.errors.md)
+
+## SavedObjectsClient.errors property
+
+<b>Signature:</b>
+
+```typescript
+static errors: typeof SavedObjectsErrorHelpers;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
index a590cc4c4b663..f72691d3ce0c8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [find](./kibana-plugin-server.savedobjectsclient.find.md)
-
-## SavedObjectsClient.find() method
-
-Find all SavedObjects matching the search query
-
-<b>Signature:</b>
-
-```typescript
-find<T extends SavedObjectAttributes = any>(options: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  options | <code>SavedObjectsFindOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsFindResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [find](./kibana-plugin-server.savedobjectsclient.find.md)
+
+## SavedObjectsClient.find() method
+
+Find all SavedObjects matching the search query
+
+<b>Signature:</b>
+
+```typescript
+find<T extends SavedObjectAttributes = any>(options: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  options | <code>SavedObjectsFindOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsFindResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
index bde16a134f5b5..3906462184d4f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [get](./kibana-plugin-server.savedobjectsclient.get.md)
-
-## SavedObjectsClient.get() method
-
-Retrieves a single object
-
-<b>Signature:</b>
-
-```typescript
-get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> | The type of SavedObject to retrieve |
-|  id | <code>string</code> | The ID of the SavedObject to retrieve |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [get](./kibana-plugin-server.savedobjectsclient.get.md)
+
+## SavedObjectsClient.get() method
+
+Retrieves a single object
+
+<b>Signature:</b>
+
+```typescript
+get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> | The type of SavedObject to retrieve |
+|  id | <code>string</code> | The ID of the SavedObject to retrieve |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
index e68486ecff874..4a42c11e511df 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md)
-
-## SavedObjectsClient class
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsClient 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) |  | <code>typeof SavedObjectsErrorHelpers</code> |  |
-|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) | <code>static</code> | <code>typeof SavedObjectsErrorHelpers</code> |  |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkcreate.md) |  | Persists multiple documents batched together as a single request |
-|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkget.md) |  | Returns an array of objects by id |
-|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkupdate.md) |  | Bulk Updates multiple SavedObject at once |
-|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsclient.create.md) |  | Persists a SavedObject |
-|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsclient.delete.md) |  | Deletes a SavedObject |
-|  [find(options)](./kibana-plugin-server.savedobjectsclient.find.md) |  | Find all SavedObjects matching the search query |
-|  [get(type, id, options)](./kibana-plugin-server.savedobjectsclient.get.md) |  | Retrieves a single object |
-|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsclient.update.md) |  | Updates an SavedObject |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md)
+
+## SavedObjectsClient class
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsClient 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) |  | <code>typeof SavedObjectsErrorHelpers</code> |  |
+|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) | <code>static</code> | <code>typeof SavedObjectsErrorHelpers</code> |  |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkcreate.md) |  | Persists multiple documents batched together as a single request |
+|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkget.md) |  | Returns an array of objects by id |
+|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkupdate.md) |  | Bulk Updates multiple SavedObject at once |
+|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsclient.create.md) |  | Persists a SavedObject |
+|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsclient.delete.md) |  | Deletes a SavedObject |
+|  [find(options)](./kibana-plugin-server.savedobjectsclient.find.md) |  | Find all SavedObjects matching the search query |
+|  [get(type, id, options)](./kibana-plugin-server.savedobjectsclient.get.md) |  | Retrieves a single object |
+|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsclient.update.md) |  | Updates an SavedObject |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
index 16454c98bb55b..2c71e518b7b05 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [update](./kibana-plugin-server.savedobjectsclient.update.md)
-
-## SavedObjectsClient.update() method
-
-Updates an SavedObject
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>Partial&lt;T&gt;</code> |  |
-|  options | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsUpdateResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [update](./kibana-plugin-server.savedobjectsclient.update.md)
+
+## SavedObjectsClient.update() method
+
+Updates an SavedObject
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>Partial&lt;T&gt;</code> |  |
+|  options | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsUpdateResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
index bc5b11dd21b78..c21c7bfe978ab 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
@@ -1,43 +1,43 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
-
-## SavedObjectsClientContract type
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.
-
-\#\# SavedObjectsClient errors
-
-Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:
-
-1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the `isXYZError()` helpers exposed at `SavedObjectsErrorHelpers` should be used to understand and manage error responses from the `SavedObjectsClient`<!-- -->.
-
-Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for `error.body.error.type` or doing substring checks on `error.body.error.reason`<!-- -->, just use the helpers to understand the meaning of the error:
-
-\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }
-
-if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }
-
-// always rethrow the error unless you handle it throw error; \`\`\`
-
-\#\#\# 404s from missing index
-
-From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.
-
-At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.
-
-From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.
-
-\#\#\# 503s from missing index
-
-Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's `action.auto_create_index` setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.
-
-See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientContract = Pick<SavedObjectsClient, keyof SavedObjectsClient>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
+
+## SavedObjectsClientContract type
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.
+
+\#\# SavedObjectsClient errors
+
+Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:
+
+1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the `isXYZError()` helpers exposed at `SavedObjectsErrorHelpers` should be used to understand and manage error responses from the `SavedObjectsClient`<!-- -->.
+
+Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for `error.body.error.type` or doing substring checks on `error.body.error.reason`<!-- -->, just use the helpers to understand the meaning of the error:
+
+\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }
+
+if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }
+
+// always rethrow the error unless you handle it throw error; \`\`\`
+
+\#\#\# 404s from missing index
+
+From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.
+
+At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.
+
+From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.
+
+\#\#\# 503s from missing index
+
+Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's `action.auto_create_index` setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.
+
+See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientContract = Pick<SavedObjectsClient, keyof SavedObjectsClient>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
index be4ecfb081dad..01c6c6a108b7b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)
-
-## SavedObjectsClientFactory type
-
-Describes the factory used to create instances of the Saved Objects Client.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientFactory = ({ request, }: {
-    request: KibanaRequest;
-}) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)
+
+## SavedObjectsClientFactory type
+
+Describes the factory used to create instances of the Saved Objects Client.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientFactory = ({ request, }: {
+    request: KibanaRequest;
+}) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
index d5be055d3c8c9..59617b6be443c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md)
-
-## SavedObjectsClientFactoryProvider type
-
-Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientFactoryProvider = (repositoryFactory: SavedObjectsRepositoryFactory) => SavedObjectsClientFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md)
+
+## SavedObjectsClientFactoryProvider type
+
+Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientFactoryProvider = (repositoryFactory: SavedObjectsRepositoryFactory) => SavedObjectsClientFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
index 9eb036c01e26e..344a1b5e153aa 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) &gt; [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md)
-
-## SavedObjectsClientProviderOptions.excludedWrappers property
-
-<b>Signature:</b>
-
-```typescript
-excludedWrappers?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) &gt; [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md)
+
+## SavedObjectsClientProviderOptions.excludedWrappers property
+
+<b>Signature:</b>
+
+```typescript
+excludedWrappers?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
index 29b872a30a373..8027bf1c78c9f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md)
-
-## SavedObjectsClientProviderOptions interface
-
-Options to control the creation of the Saved Objects Client.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsClientProviderOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md)
+
+## SavedObjectsClientProviderOptions interface
+
+Options to control the creation of the Saved Objects Client.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsClientProviderOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
index 579c555a83062..f429c92209900 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md)
-
-## SavedObjectsClientWrapperFactory type
-
-Describes the factory used to create instances of Saved Objects Client Wrappers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientWrapperFactory = (options: SavedObjectsClientWrapperOptions) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md)
+
+## SavedObjectsClientWrapperFactory type
+
+Describes the factory used to create instances of Saved Objects Client Wrappers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientWrapperFactory = (options: SavedObjectsClientWrapperOptions) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
index 0545901087bb4..a154d55f04cc8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md)
-
-## SavedObjectsClientWrapperOptions.client property
-
-<b>Signature:</b>
-
-```typescript
-client: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md)
+
+## SavedObjectsClientWrapperOptions.client property
+
+<b>Signature:</b>
+
+```typescript
+client: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
index 57b60b50313c2..dfff863898a2b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md)
-
-## SavedObjectsClientWrapperOptions interface
-
-Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsClientWrapperOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md) | <code>SavedObjectsClientContract</code> |  |
-|  [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md) | <code>KibanaRequest</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md)
+
+## SavedObjectsClientWrapperOptions interface
+
+Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsClientWrapperOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md) | <code>SavedObjectsClientContract</code> |  |
+|  [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md) | <code>KibanaRequest</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
index 688defbe47b94..89c7e0ed207ff 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md)
-
-## SavedObjectsClientWrapperOptions.request property
-
-<b>Signature:</b>
-
-```typescript
-request: KibanaRequest;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md)
+
+## SavedObjectsClientWrapperOptions.request property
+
+<b>Signature:</b>
+
+```typescript
+request: KibanaRequest;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
index 1c55342bb0430..b63eade437fff 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-server.savedobjectscreateoptions.id.md)
-
-## SavedObjectsCreateOptions.id property
-
-(not recommended) Specify an id for the document
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-server.savedobjectscreateoptions.id.md)
+
+## SavedObjectsCreateOptions.id property
+
+(not recommended) Specify an id for the document
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
index e4ad636056915..8bbafbdf5814b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md)
-
-## SavedObjectsCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsCreateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectscreateoptions.id.md) | <code>string</code> | (not recommended) Specify an id for the document |
-|  [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | Overwrite existing documents (defaults to false) |
-|  [references](./kibana-plugin-server.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md)
+
+## SavedObjectsCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsCreateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectscreateoptions.id.md) | <code>string</code> | (not recommended) Specify an id for the document |
+|  [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | Overwrite existing documents (defaults to false) |
+|  [references](./kibana-plugin-server.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
index 33432b1138d91..92b858f446412 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md)
-
-## SavedObjectsCreateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md)
+
+## SavedObjectsCreateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
index cb58e87795300..039bf0be85459 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md)
-
-## SavedObjectsCreateOptions.overwrite property
-
-Overwrite existing documents (defaults to false)
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md)
+
+## SavedObjectsCreateOptions.overwrite property
+
+Overwrite existing documents (defaults to false)
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
index bdf88b021c06c..d168cd4a1adc9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectscreateoptions.references.md)
-
-## SavedObjectsCreateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectscreateoptions.references.md)
+
+## SavedObjectsCreateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
index 785874a12c8c4..2f67dff5d4a5d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md)
-
-## SavedObjectsCreateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md)
+
+## SavedObjectsCreateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
index df4ce1b4b8428..743bf8fee33cc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md)
-
-## SavedObjectsDeleteByNamespaceOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsDeleteByNamespaceOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md)
+
+## SavedObjectsDeleteByNamespaceOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsDeleteByNamespaceOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
index 2332520ac388f..0c314b7b094dc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md)
-
-## SavedObjectsDeleteByNamespaceOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md)
+
+## SavedObjectsDeleteByNamespaceOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
index 2c641ba5cc8d8..c4c2e9f64a7be 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md)
-
-## SavedObjectsDeleteOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsDeleteOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md)
+
+## SavedObjectsDeleteOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsDeleteOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
index 782c52956f297..476d982bed950 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md)
-
-## SavedObjectsDeleteOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md)
+
+## SavedObjectsDeleteOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
index 03ad9d29c1cc3..38e133b40c852 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md)
-
-## SavedObjectsErrorHelpers.createBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static createBadRequestError(reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md)
+
+## SavedObjectsErrorHelpers.createBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static createBadRequestError(reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
index 62cec4bfa38fc..6a1d86dc6cd14 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md)
-
-## SavedObjectsErrorHelpers.createEsAutoCreateIndexError() method
-
-<b>Signature:</b>
-
-```typescript
-static createEsAutoCreateIndexError(): DecoratedError;
-```
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md)
+
+## SavedObjectsErrorHelpers.createEsAutoCreateIndexError() method
+
+<b>Signature:</b>
+
+```typescript
+static createEsAutoCreateIndexError(): DecoratedError;
+```
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
index 1abe1cf0067ec..e608939af45cb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createGenericNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md)
-
-## SavedObjectsErrorHelpers.createGenericNotFoundError() method
-
-<b>Signature:</b>
-
-```typescript
-static createGenericNotFoundError(type?: string | null, id?: string | null): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string &#124; null</code> |  |
-|  id | <code>string &#124; null</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createGenericNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md)
+
+## SavedObjectsErrorHelpers.createGenericNotFoundError() method
+
+<b>Signature:</b>
+
+```typescript
+static createGenericNotFoundError(type?: string | null, id?: string | null): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string &#124; null</code> |  |
+|  id | <code>string &#124; null</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
index fc65c93fde946..15a25d90d8d82 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md)
-
-## SavedObjectsErrorHelpers.createInvalidVersionError() method
-
-<b>Signature:</b>
-
-```typescript
-static createInvalidVersionError(versionInput?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  versionInput | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md)
+
+## SavedObjectsErrorHelpers.createInvalidVersionError() method
+
+<b>Signature:</b>
+
+```typescript
+static createInvalidVersionError(versionInput?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  versionInput | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
index 1b22f86df6796..51d48c7083f2e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createUnsupportedTypeError](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md)
-
-## SavedObjectsErrorHelpers.createUnsupportedTypeError() method
-
-<b>Signature:</b>
-
-```typescript
-static createUnsupportedTypeError(type: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createUnsupportedTypeError](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md)
+
+## SavedObjectsErrorHelpers.createUnsupportedTypeError() method
+
+<b>Signature:</b>
+
+```typescript
+static createUnsupportedTypeError(type: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
index deccee473eaa4..07da6c59591ec 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md)
-
-## SavedObjectsErrorHelpers.decorateBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateBadRequestError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md)
+
+## SavedObjectsErrorHelpers.decorateBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateBadRequestError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
index ac999903d3a21..10e974c22d9ab 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateConflictError](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md)
-
-## SavedObjectsErrorHelpers.decorateConflictError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateConflictError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateConflictError](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md)
+
+## SavedObjectsErrorHelpers.decorateConflictError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateConflictError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
index 54a420913390b..8d0f498f5eb79 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md)
-
-## SavedObjectsErrorHelpers.decorateEsUnavailableError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateEsUnavailableError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md)
+
+## SavedObjectsErrorHelpers.decorateEsUnavailableError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateEsUnavailableError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
index c5130dfb12400..b95c207b691c5 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md)
-
-## SavedObjectsErrorHelpers.decorateForbiddenError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateForbiddenError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md)
+
+## SavedObjectsErrorHelpers.decorateForbiddenError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateForbiddenError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
index 6086df058483f..c08417ada5436 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateGeneralError](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md)
-
-## SavedObjectsErrorHelpers.decorateGeneralError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateGeneralError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateGeneralError](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md)
+
+## SavedObjectsErrorHelpers.decorateGeneralError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateGeneralError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
index 3977b58c945bc..db412b869aeae 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md)
-
-## SavedObjectsErrorHelpers.decorateNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateNotAuthorizedError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md)
+
+## SavedObjectsErrorHelpers.decorateNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateNotAuthorizedError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
index 58cba64fd3139..e426192afe4ee 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md)
-
-## SavedObjectsErrorHelpers.decorateRequestEntityTooLargeError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateRequestEntityTooLargeError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md)
+
+## SavedObjectsErrorHelpers.decorateRequestEntityTooLargeError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateRequestEntityTooLargeError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
index 79805e371884d..b66faa0b79471 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md)
-
-## SavedObjectsErrorHelpers.isBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static isBadRequestError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md)
+
+## SavedObjectsErrorHelpers.isBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static isBadRequestError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
index 99e636bf006ad..e8652190e59b9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isConflictError](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md)
-
-## SavedObjectsErrorHelpers.isConflictError() method
-
-<b>Signature:</b>
-
-```typescript
-static isConflictError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isConflictError](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md)
+
+## SavedObjectsErrorHelpers.isConflictError() method
+
+<b>Signature:</b>
+
+```typescript
+static isConflictError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
index 37b845d336203..df6129390b0c7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md)
-
-## SavedObjectsErrorHelpers.isEsAutoCreateIndexError() method
-
-<b>Signature:</b>
-
-```typescript
-static isEsAutoCreateIndexError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md)
+
+## SavedObjectsErrorHelpers.isEsAutoCreateIndexError() method
+
+<b>Signature:</b>
+
+```typescript
+static isEsAutoCreateIndexError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
index 0672c92a0c80f..44b8afa6c649a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md)
-
-## SavedObjectsErrorHelpers.isEsUnavailableError() method
-
-<b>Signature:</b>
-
-```typescript
-static isEsUnavailableError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md)
+
+## SavedObjectsErrorHelpers.isEsUnavailableError() method
+
+<b>Signature:</b>
+
+```typescript
+static isEsUnavailableError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
index 6350de9b6403c..7955f5f5dbf46 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md)
-
-## SavedObjectsErrorHelpers.isForbiddenError() method
-
-<b>Signature:</b>
-
-```typescript
-static isForbiddenError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md)
+
+## SavedObjectsErrorHelpers.isForbiddenError() method
+
+<b>Signature:</b>
+
+```typescript
+static isForbiddenError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
index c91056b92e456..7218e50d5f157 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md)
-
-## SavedObjectsErrorHelpers.isInvalidVersionError() method
-
-<b>Signature:</b>
-
-```typescript
-static isInvalidVersionError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md)
+
+## SavedObjectsErrorHelpers.isInvalidVersionError() method
+
+<b>Signature:</b>
+
+```typescript
+static isInvalidVersionError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
index 6cedc87f52db9..fd28812b96527 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md)
-
-## SavedObjectsErrorHelpers.isNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotAuthorizedError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md)
+
+## SavedObjectsErrorHelpers.isNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotAuthorizedError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
index 125730454e4d0..3a1c8b3f3d360 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md)
-
-## SavedObjectsErrorHelpers.isNotFoundError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotFoundError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md)
+
+## SavedObjectsErrorHelpers.isNotFoundError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotFoundError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
index 63a8862a6d84c..6b23d08245574 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md)
-
-## SavedObjectsErrorHelpers.isRequestEntityTooLargeError() method
-
-<b>Signature:</b>
-
-```typescript
-static isRequestEntityTooLargeError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md)
+
+## SavedObjectsErrorHelpers.isRequestEntityTooLargeError() method
+
+<b>Signature:</b>
+
+```typescript
+static isRequestEntityTooLargeError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
index 8e22e2df805f8..3e79e41dba53f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isSavedObjectsClientError](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md)
-
-## SavedObjectsErrorHelpers.isSavedObjectsClientError() method
-
-<b>Signature:</b>
-
-```typescript
-static isSavedObjectsClientError(error: any): error is DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`error is DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isSavedObjectsClientError](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md)
+
+## SavedObjectsErrorHelpers.isSavedObjectsClientError() method
+
+<b>Signature:</b>
+
+```typescript
+static isSavedObjectsClientError(error: any): error is DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`error is DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
index ffa4b06028c2a..d7c39281fca33 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
@@ -1,40 +1,40 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-## SavedObjectsErrorHelpers class
-
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsErrorHelpers 
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [createBadRequestError(reason)](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md) | <code>static</code> |  |
-|  [createEsAutoCreateIndexError()](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md) | <code>static</code> |  |
-|  [createGenericNotFoundError(type, id)](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md) | <code>static</code> |  |
-|  [createInvalidVersionError(versionInput)](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md) | <code>static</code> |  |
-|  [createUnsupportedTypeError(type)](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md) | <code>static</code> |  |
-|  [decorateBadRequestError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md) | <code>static</code> |  |
-|  [decorateConflictError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md) | <code>static</code> |  |
-|  [decorateEsUnavailableError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md) | <code>static</code> |  |
-|  [decorateForbiddenError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md) | <code>static</code> |  |
-|  [decorateGeneralError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md) | <code>static</code> |  |
-|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
-|  [decorateRequestEntityTooLargeError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md) | <code>static</code> |  |
-|  [isBadRequestError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md) | <code>static</code> |  |
-|  [isConflictError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md) | <code>static</code> |  |
-|  [isEsAutoCreateIndexError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md) | <code>static</code> |  |
-|  [isEsUnavailableError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md) | <code>static</code> |  |
-|  [isForbiddenError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md) | <code>static</code> |  |
-|  [isInvalidVersionError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md) | <code>static</code> |  |
-|  [isNotAuthorizedError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
-|  [isNotFoundError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md) | <code>static</code> |  |
-|  [isRequestEntityTooLargeError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md) | <code>static</code> |  |
-|  [isSavedObjectsClientError(error)](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md) | <code>static</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+## SavedObjectsErrorHelpers class
+
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsErrorHelpers 
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [createBadRequestError(reason)](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md) | <code>static</code> |  |
+|  [createEsAutoCreateIndexError()](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md) | <code>static</code> |  |
+|  [createGenericNotFoundError(type, id)](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md) | <code>static</code> |  |
+|  [createInvalidVersionError(versionInput)](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md) | <code>static</code> |  |
+|  [createUnsupportedTypeError(type)](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md) | <code>static</code> |  |
+|  [decorateBadRequestError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md) | <code>static</code> |  |
+|  [decorateConflictError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md) | <code>static</code> |  |
+|  [decorateEsUnavailableError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md) | <code>static</code> |  |
+|  [decorateForbiddenError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md) | <code>static</code> |  |
+|  [decorateGeneralError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md) | <code>static</code> |  |
+|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
+|  [decorateRequestEntityTooLargeError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md) | <code>static</code> |  |
+|  [isBadRequestError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md) | <code>static</code> |  |
+|  [isConflictError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md) | <code>static</code> |  |
+|  [isEsAutoCreateIndexError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md) | <code>static</code> |  |
+|  [isEsUnavailableError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md) | <code>static</code> |  |
+|  [isForbiddenError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md) | <code>static</code> |  |
+|  [isInvalidVersionError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md) | <code>static</code> |  |
+|  [isNotAuthorizedError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
+|  [isNotFoundError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md) | <code>static</code> |  |
+|  [isRequestEntityTooLargeError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md) | <code>static</code> |  |
+|  [isSavedObjectsClientError(error)](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md) | <code>static</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
index bffc809689834..479fa0221e256 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md)
-
-## SavedObjectsExportOptions.excludeExportDetails property
-
-flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream.
-
-<b>Signature:</b>
-
-```typescript
-excludeExportDetails?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md)
+
+## SavedObjectsExportOptions.excludeExportDetails property
+
+flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream.
+
+<b>Signature:</b>
+
+```typescript
+excludeExportDetails?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
index 36eba99273997..91a6e62296924 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md)
-
-## SavedObjectsExportOptions.exportSizeLimit property
-
-the maximum number of objects to export.
-
-<b>Signature:</b>
-
-```typescript
-exportSizeLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md)
+
+## SavedObjectsExportOptions.exportSizeLimit property
+
+the maximum number of objects to export.
+
+<b>Signature:</b>
+
+```typescript
+exportSizeLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
index 0cd7688e04184..44ac2761a19d2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md)
-
-## SavedObjectsExportOptions.includeReferencesDeep property
-
-flag to also include all related saved objects in the export stream.
-
-<b>Signature:</b>
-
-```typescript
-includeReferencesDeep?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md)
+
+## SavedObjectsExportOptions.includeReferencesDeep property
+
+flag to also include all related saved objects in the export stream.
+
+<b>Signature:</b>
+
+```typescript
+includeReferencesDeep?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
index d312d7d4b3499..2715d58ab30d7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md)
-
-## SavedObjectsExportOptions interface
-
-Options controlling the export operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsExportOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md) | <code>boolean</code> | flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream. |
-|  [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md) | <code>number</code> | the maximum number of objects to export. |
-|  [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md) | <code>boolean</code> | flag to also include all related saved objects in the export stream. |
-|  [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md) | <code>string</code> | optional namespace to override the namespace used by the savedObjectsClient. |
-|  [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | optional array of objects to export. |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> | an instance of the SavedObjectsClient. |
-|  [search](./kibana-plugin-server.savedobjectsexportoptions.search.md) | <code>string</code> | optional query string to filter exported objects. |
-|  [types](./kibana-plugin-server.savedobjectsexportoptions.types.md) | <code>string[]</code> | optional array of saved object types. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md)
+
+## SavedObjectsExportOptions interface
+
+Options controlling the export operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsExportOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md) | <code>boolean</code> | flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream. |
+|  [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md) | <code>number</code> | the maximum number of objects to export. |
+|  [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md) | <code>boolean</code> | flag to also include all related saved objects in the export stream. |
+|  [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md) | <code>string</code> | optional namespace to override the namespace used by the savedObjectsClient. |
+|  [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | optional array of objects to export. |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> | an instance of the SavedObjectsClient. |
+|  [search](./kibana-plugin-server.savedobjectsexportoptions.search.md) | <code>string</code> | optional query string to filter exported objects. |
+|  [types](./kibana-plugin-server.savedobjectsexportoptions.types.md) | <code>string[]</code> | optional array of saved object types. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
index 1a28cc92e6e7e..6dde67d8cac0d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md)
-
-## SavedObjectsExportOptions.namespace property
-
-optional namespace to override the namespace used by the savedObjectsClient.
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md)
+
+## SavedObjectsExportOptions.namespace property
+
+optional namespace to override the namespace used by the savedObjectsClient.
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
index cd32f66c0f81e..ab93ecc06a137 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md)
-
-## SavedObjectsExportOptions.objects property
-
-optional array of objects to export.
-
-<b>Signature:</b>
-
-```typescript
-objects?: Array<{
-        id: string;
-        type: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md)
+
+## SavedObjectsExportOptions.objects property
+
+optional array of objects to export.
+
+<b>Signature:</b>
+
+```typescript
+objects?: Array<{
+        id: string;
+        type: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
index 1e0dd6c6f164f..851f0025b6c1b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md)
-
-## SavedObjectsExportOptions.savedObjectsClient property
-
-an instance of the SavedObjectsClient.
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md)
+
+## SavedObjectsExportOptions.savedObjectsClient property
+
+an instance of the SavedObjectsClient.
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
index 5e44486ee65e0..a78fccc3f0b66 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsexportoptions.search.md)
-
-## SavedObjectsExportOptions.search property
-
-optional query string to filter exported objects.
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsexportoptions.search.md)
+
+## SavedObjectsExportOptions.search property
+
+optional query string to filter exported objects.
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
index cf1eb676f7ab8..bf57bc253c52c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [types](./kibana-plugin-server.savedobjectsexportoptions.types.md)
-
-## SavedObjectsExportOptions.types property
-
-optional array of saved object types.
-
-<b>Signature:</b>
-
-```typescript
-types?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [types](./kibana-plugin-server.savedobjectsexportoptions.types.md)
+
+## SavedObjectsExportOptions.types property
+
+optional array of saved object types.
+
+<b>Signature:</b>
+
+```typescript
+types?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
index c2e588dd3c121..9f67dea572abf 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md)
-
-## SavedObjectsExportResultDetails.exportedCount property
-
-number of successfully exported objects
-
-<b>Signature:</b>
-
-```typescript
-exportedCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md)
+
+## SavedObjectsExportResultDetails.exportedCount property
+
+number of successfully exported objects
+
+<b>Signature:</b>
+
+```typescript
+exportedCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
index fb3af350d21ea..475918d97f7ac 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md)
-
-## SavedObjectsExportResultDetails interface
-
-Structure of the export result details entry
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsExportResultDetails 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md) | <code>number</code> | number of successfully exported objects |
-|  [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md) | <code>number</code> | number of missing references |
-|  [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | missing references details |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md)
+
+## SavedObjectsExportResultDetails interface
+
+Structure of the export result details entry
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsExportResultDetails 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md) | <code>number</code> | number of successfully exported objects |
+|  [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md) | <code>number</code> | number of missing references |
+|  [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | missing references details |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
index 5b51199ea4780..bc1b359aeda80 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md)
-
-## SavedObjectsExportResultDetails.missingRefCount property
-
-number of missing references
-
-<b>Signature:</b>
-
-```typescript
-missingRefCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md)
+
+## SavedObjectsExportResultDetails.missingRefCount property
+
+number of missing references
+
+<b>Signature:</b>
+
+```typescript
+missingRefCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
index 1602bfb6e6cb6..024f625b527e8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md)
-
-## SavedObjectsExportResultDetails.missingReferences property
-
-missing references details
-
-<b>Signature:</b>
-
-```typescript
-missingReferences: Array<{
-        id: string;
-        type: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md)
+
+## SavedObjectsExportResultDetails.missingReferences property
+
+missing references details
+
+<b>Signature:</b>
+
+```typescript
+missingReferences: Array<{
+        id: string;
+        type: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
index c3b7f35e351ff..e4209bee3f8b6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md)
-
-## SavedObjectsFindOptions.defaultSearchOperator property
-
-<b>Signature:</b>
-
-```typescript
-defaultSearchOperator?: 'AND' | 'OR';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md)
+
+## SavedObjectsFindOptions.defaultSearchOperator property
+
+<b>Signature:</b>
+
+```typescript
+defaultSearchOperator?: 'AND' | 'OR';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
index 394363abb5d4d..b4777d45217e1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md)
-
-## SavedObjectsFindOptions.fields property
-
-An array of fields to include in the results
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
-
-## Example
-
-SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md)
+
+## SavedObjectsFindOptions.fields property
+
+An array of fields to include in the results
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
+
+## Example
+
+SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
index 308bebbeaf60b..409fc337188dc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md)
-
-## SavedObjectsFindOptions.filter property
-
-<b>Signature:</b>
-
-```typescript
-filter?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md)
+
+## SavedObjectsFindOptions.filter property
+
+<b>Signature:</b>
+
+```typescript
+filter?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
index 01d20d898c1ef..23f0bc712ca52 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md)
-
-## SavedObjectsFindOptions.hasReference property
-
-<b>Signature:</b>
-
-```typescript
-hasReference?: {
-        type: string;
-        id: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md)
+
+## SavedObjectsFindOptions.hasReference property
+
+<b>Signature:</b>
+
+```typescript
+hasReference?: {
+        type: string;
+        id: string;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
index dfd51d480db92..df1b916b0604b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md)
-
-## SavedObjectsFindOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
-|  [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
-|  [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
-|  [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
-|  [page](./kibana-plugin-server.savedobjectsfindoptions.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
-|  [search](./kibana-plugin-server.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
-|  [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
-|  [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
-|  [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md)
+
+## SavedObjectsFindOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
+|  [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
+|  [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
+|  [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
+|  [page](./kibana-plugin-server.savedobjectsfindoptions.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
+|  [search](./kibana-plugin-server.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
+|  [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
+|  [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
+|  [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
index ab6faaf6649ee..40a62f9b82da4 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-server.savedobjectsfindoptions.page.md)
-
-## SavedObjectsFindOptions.page property
-
-<b>Signature:</b>
-
-```typescript
-page?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-server.savedobjectsfindoptions.page.md)
+
+## SavedObjectsFindOptions.page property
+
+<b>Signature:</b>
+
+```typescript
+page?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
index f775aa450b93a..c53db2089630f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md)
-
-## SavedObjectsFindOptions.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md)
+
+## SavedObjectsFindOptions.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
index a29dda1892918..5807307a29ad0 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsfindoptions.search.md)
-
-## SavedObjectsFindOptions.search property
-
-Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsfindoptions.search.md)
+
+## SavedObjectsFindOptions.search property
+
+Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
index 2505bac8aec49..5e42ebd4b1dc9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md)
-
-## SavedObjectsFindOptions.searchFields property
-
-The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-searchFields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md)
+
+## SavedObjectsFindOptions.searchFields property
+
+The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+searchFields?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
index 3ba2916c3b068..a67fc786a8037 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md)
-
-## SavedObjectsFindOptions.sortField property
-
-<b>Signature:</b>
-
-```typescript
-sortField?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md)
+
+## SavedObjectsFindOptions.sortField property
+
+<b>Signature:</b>
+
+```typescript
+sortField?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
index bae922313db34..32475703199e6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md)
-
-## SavedObjectsFindOptions.sortOrder property
-
-<b>Signature:</b>
-
-```typescript
-sortOrder?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md)
+
+## SavedObjectsFindOptions.sortOrder property
+
+<b>Signature:</b>
+
+```typescript
+sortOrder?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
index 95bac5bbc5cb8..325cb491b71ca 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-server.savedobjectsfindoptions.type.md)
-
-## SavedObjectsFindOptions.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-server.savedobjectsfindoptions.type.md)
+
+## SavedObjectsFindOptions.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
index 23299e22d8004..efdc07cea88fd 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md)
-
-## SavedObjectsFindResponse interface
-
-Return type of the Saved Objects `find()` method.
-
-\*Note\*: this type is different between the Public and Server Saved Objects clients.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [page](./kibana-plugin-server.savedobjectsfindresponse.page.md) | <code>number</code> |  |
-|  [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md) | <code>number</code> |  |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
-|  [total](./kibana-plugin-server.savedobjectsfindresponse.total.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md)
+
+## SavedObjectsFindResponse interface
+
+Return type of the Saved Objects `find()` method.
+
+\*Note\*: this type is different between the Public and Server Saved Objects clients.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [page](./kibana-plugin-server.savedobjectsfindresponse.page.md) | <code>number</code> |  |
+|  [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md) | <code>number</code> |  |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
+|  [total](./kibana-plugin-server.savedobjectsfindresponse.total.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
index 82cd16cd7b48a..f6327563e902b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [page](./kibana-plugin-server.savedobjectsfindresponse.page.md)
-
-## SavedObjectsFindResponse.page property
-
-<b>Signature:</b>
-
-```typescript
-page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [page](./kibana-plugin-server.savedobjectsfindresponse.page.md)
+
+## SavedObjectsFindResponse.page property
+
+<b>Signature:</b>
+
+```typescript
+page: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
index d93b302488382..d60690dcbc793 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md)
-
-## SavedObjectsFindResponse.per\_page property
-
-<b>Signature:</b>
-
-```typescript
-per_page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md)
+
+## SavedObjectsFindResponse.per\_page property
+
+<b>Signature:</b>
+
+```typescript
+per_page: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
index 9e4247be4e02d..aba05cd3824e0 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md)
-
-## SavedObjectsFindResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md)
+
+## SavedObjectsFindResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObject<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
index 12e86e8d3a4e7..84626f76d66ad 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [total](./kibana-plugin-server.savedobjectsfindresponse.total.md)
-
-## SavedObjectsFindResponse.total property
-
-<b>Signature:</b>
-
-```typescript
-total: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [total](./kibana-plugin-server.savedobjectsfindresponse.total.md)
+
+## SavedObjectsFindResponse.total property
+
+<b>Signature:</b>
+
+```typescript
+total: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
index 485500da504a9..ade9e50b05a0e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md)
-
-## SavedObjectsImportConflictError interface
-
-Represents a failure to import due to a conflict.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportConflictError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md)
+
+## SavedObjectsImportConflictError interface
+
+Represents a failure to import due to a conflict.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportConflictError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
index bd85de140674a..f37d4615b2248 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md)
-
-## SavedObjectsImportConflictError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'conflict';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md)
+
+## SavedObjectsImportConflictError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'conflict';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
index 0828ca9e01c34..fd5c667c11a6f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-server.savedobjectsimporterror.error.md)
-
-## SavedObjectsImportError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-server.savedobjectsimporterror.error.md)
+
+## SavedObjectsImportError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
index 0791d668f4626..791797b88cc63 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-server.savedobjectsimporterror.id.md)
-
-## SavedObjectsImportError.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-server.savedobjectsimporterror.id.md)
+
+## SavedObjectsImportError.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
index 0d734c21c3151..f0a734c2f29cc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md)
-
-## SavedObjectsImportError interface
-
-Represents a failure to import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-server.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
-|  [id](./kibana-plugin-server.savedobjectsimporterror.id.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-server.savedobjectsimporterror.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimporterror.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md)
+
+## SavedObjectsImportError interface
+
+Represents a failure to import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-server.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
+|  [id](./kibana-plugin-server.savedobjectsimporterror.id.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-server.savedobjectsimporterror.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimporterror.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
index bd0beeb4d79dd..80b8b695ea467 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-server.savedobjectsimporterror.title.md)
-
-## SavedObjectsImportError.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-server.savedobjectsimporterror.title.md)
+
+## SavedObjectsImportError.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
index 0b48cc4bbaecf..6d4edf37d7a2c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimporterror.type.md)
-
-## SavedObjectsImportError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimporterror.type.md)
+
+## SavedObjectsImportError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
index bbbd499ea5844..44564f6db6976 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md)
-
-## SavedObjectsImportMissingReferencesError.blocking property
-
-<b>Signature:</b>
-
-```typescript
-blocking: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md)
+
+## SavedObjectsImportMissingReferencesError.blocking property
+
+<b>Signature:</b>
+
+```typescript
+blocking: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
index fb4e997fe17ba..72ce40bd6edfa 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md)
-
-## SavedObjectsImportMissingReferencesError interface
-
-Represents a failure to import due to missing references.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportMissingReferencesError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md)
+
+## SavedObjectsImportMissingReferencesError interface
+
+Represents a failure to import due to missing references.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportMissingReferencesError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
index 593d2b48d456c..795bfa9fc9ea9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md)
-
-## SavedObjectsImportMissingReferencesError.references property
-
-<b>Signature:</b>
-
-```typescript
-references: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md)
+
+## SavedObjectsImportMissingReferencesError.references property
+
+<b>Signature:</b>
+
+```typescript
+references: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
index 3e6e80f77c447..80ac2efb28dbc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md)
-
-## SavedObjectsImportMissingReferencesError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'missing_references';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md)
+
+## SavedObjectsImportMissingReferencesError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'missing_references';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
index a1ea33e11b14f..9653fa802a3e8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md)
-
-## SavedObjectsImportOptions interface
-
-Options to control the import operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md) | <code>string</code> |  |
-|  [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md) | <code>number</code> |  |
-|  [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md) | <code>boolean</code> |  |
-|  [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md) | <code>Readable</code> |  |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
-|  [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md)
+
+## SavedObjectsImportOptions interface
+
+Options to control the import operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md) | <code>string</code> |  |
+|  [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md) | <code>number</code> |  |
+|  [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md) | <code>boolean</code> |  |
+|  [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md) | <code>Readable</code> |  |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
+|  [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
index 600a4dc1176f3..2b15ba2a1b7ec 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md)
-
-## SavedObjectsImportOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md)
+
+## SavedObjectsImportOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
index bb040a560b89b..89c01a13644b8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md)
-
-## SavedObjectsImportOptions.objectLimit property
-
-<b>Signature:</b>
-
-```typescript
-objectLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md)
+
+## SavedObjectsImportOptions.objectLimit property
+
+<b>Signature:</b>
+
+```typescript
+objectLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
index 4586a93568588..54728aaa80fed 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md)
-
-## SavedObjectsImportOptions.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md)
+
+## SavedObjectsImportOptions.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
index 4b54f931797cf..7739fdfbc8460 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md)
-
-## SavedObjectsImportOptions.readStream property
-
-<b>Signature:</b>
-
-```typescript
-readStream: Readable;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md)
+
+## SavedObjectsImportOptions.readStream property
+
+<b>Signature:</b>
+
+```typescript
+readStream: Readable;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
index f0d439aedc005..23d5aba5fe114 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md)
-
-## SavedObjectsImportOptions.savedObjectsClient property
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md)
+
+## SavedObjectsImportOptions.savedObjectsClient property
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
index 0359c53d8fcf1..03ee12ab2a0f7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md)
-
-## SavedObjectsImportOptions.supportedTypes property
-
-<b>Signature:</b>
-
-```typescript
-supportedTypes: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md)
+
+## SavedObjectsImportOptions.supportedTypes property
+
+<b>Signature:</b>
+
+```typescript
+supportedTypes: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
index c59390c6d45e0..1df7c0a37323e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md)
-
-## SavedObjectsImportResponse.errors property
-
-<b>Signature:</b>
-
-```typescript
-errors?: SavedObjectsImportError[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md)
+
+## SavedObjectsImportResponse.errors property
+
+<b>Signature:</b>
+
+```typescript
+errors?: SavedObjectsImportError[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
index 23f6526dc6367..3e42307e90a4a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md)
-
-## SavedObjectsImportResponse interface
-
-The response describing the result of an import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
-|  [success](./kibana-plugin-server.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
-|  [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md)
+
+## SavedObjectsImportResponse interface
+
+The response describing the result of an import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
+|  [success](./kibana-plugin-server.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
+|  [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
index 5fd76959c556c..77e528e8541ce 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-server.savedobjectsimportresponse.success.md)
-
-## SavedObjectsImportResponse.success property
-
-<b>Signature:</b>
-
-```typescript
-success: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-server.savedobjectsimportresponse.success.md)
+
+## SavedObjectsImportResponse.success property
+
+<b>Signature:</b>
+
+```typescript
+success: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
index 4b49f57e8367d..4c1fbcdbcc854 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md)
-
-## SavedObjectsImportResponse.successCount property
-
-<b>Signature:</b>
-
-```typescript
-successCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md)
+
+## SavedObjectsImportResponse.successCount property
+
+<b>Signature:</b>
+
+```typescript
+successCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
index 568185b2438b7..6491f514c4a3d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-server.savedobjectsimportretry.id.md)
-
-## SavedObjectsImportRetry.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-server.savedobjectsimportretry.id.md)
+
+## SavedObjectsImportRetry.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
index dc842afbf9f29..d7fcc613b2508 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md)
-
-## SavedObjectsImportRetry interface
-
-Describes a retry operation for importing a saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportRetry 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectsimportretry.id.md) | <code>string</code> |  |
-|  [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
-|  [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportretry.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md)
+
+## SavedObjectsImportRetry interface
+
+Describes a retry operation for importing a saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportRetry 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectsimportretry.id.md) | <code>string</code> |  |
+|  [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
+|  [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportretry.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
index 36a31e836aebc..68310c61ca0bd 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md)
-
-## SavedObjectsImportRetry.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md)
+
+## SavedObjectsImportRetry.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
index c3439bb554e13..659230932c875 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md)
-
-## SavedObjectsImportRetry.replaceReferences property
-
-<b>Signature:</b>
-
-```typescript
-replaceReferences: Array<{
-        type: string;
-        from: string;
-        to: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md)
+
+## SavedObjectsImportRetry.replaceReferences property
+
+<b>Signature:</b>
+
+```typescript
+replaceReferences: Array<{
+        type: string;
+        from: string;
+        to: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
index 8f0408dcbc11e..db3f3d1c32192 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-server.savedobjectsimportretry.type.md)
-
-## SavedObjectsImportRetry.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-server.savedobjectsimportretry.type.md)
+
+## SavedObjectsImportRetry.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
index 913038c5bc67d..cd6a553b4da19 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md)
-
-## SavedObjectsImportUnknownError interface
-
-Represents a failure to import due to an unknown reason.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnknownError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
-|  [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md)
+
+## SavedObjectsImportUnknownError interface
+
+Represents a failure to import due to an unknown reason.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnknownError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
+|  [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
index 96b8b98bf6a9f..0056be3b61018 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md)
-
-## SavedObjectsImportUnknownError.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md)
+
+## SavedObjectsImportUnknownError.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
index 9cdef84ff4ea7..1511aaa786fe1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md)
-
-## SavedObjectsImportUnknownError.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md)
+
+## SavedObjectsImportUnknownError.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
index cf31166157ab7..aeb948de0aa00 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md)
-
-## SavedObjectsImportUnknownError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unknown';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md)
+
+## SavedObjectsImportUnknownError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unknown';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
index cc775b20bb8f2..cff068345d801 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md)
-
-## SavedObjectsImportUnsupportedTypeError interface
-
-Represents a failure to import due to having an unsupported saved object type.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnsupportedTypeError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md)
+
+## SavedObjectsImportUnsupportedTypeError interface
+
+Represents a failure to import due to having an unsupported saved object type.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnsupportedTypeError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
index ae69911020c18..6145eefed84c9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md)
-
-## SavedObjectsImportUnsupportedTypeError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unsupported_type';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md)
+
+## SavedObjectsImportUnsupportedTypeError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unsupported_type';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
index 38ee40157888f..b53ec0247511f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md)
-
-## SavedObjectsIncrementCounterOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsIncrementCounterOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> |  |
-|  [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md)
+
+## SavedObjectsIncrementCounterOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsIncrementCounterOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> |  |
+|  [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
index 3b80dea4fecde..6e24d916969b9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md)
-
-## SavedObjectsIncrementCounterOptions.migrationVersion property
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md)
+
+## SavedObjectsIncrementCounterOptions.migrationVersion property
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
index acd8d6f0916f9..13104808f8dec 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md)
-
-## SavedObjectsIncrementCounterOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md)
+
+## SavedObjectsIncrementCounterOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
index be44bc7422d6c..64854078d41d6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md)
-
-## SavedObjectsMigrationLogger.debug property
-
-<b>Signature:</b>
-
-```typescript
-debug: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md)
+
+## SavedObjectsMigrationLogger.debug property
+
+<b>Signature:</b>
+
+```typescript
+debug: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
index f8bbd5e4e6250..57bb1e77d0e78 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md)
-
-## SavedObjectsMigrationLogger.info property
-
-<b>Signature:</b>
-
-```typescript
-info: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md)
+
+## SavedObjectsMigrationLogger.info property
+
+<b>Signature:</b>
+
+```typescript
+info: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
index 9e21cb0641baf..a98d88700cd55 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md)
-
-## SavedObjectsMigrationLogger interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationLogger 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md) | <code>(msg: string) =&gt; void</code> |  |
-|  [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md) | <code>(msg: string) =&gt; void</code> |  |
-|  [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md) | <code>(msg: string) =&gt; void</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md)
+
+## SavedObjectsMigrationLogger interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationLogger 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md) | <code>(msg: string) =&gt; void</code> |  |
+|  [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md) | <code>(msg: string) =&gt; void</code> |  |
+|  [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md) | <code>(msg: string) =&gt; void</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
index 978090f9fc885..a87955d603b70 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md)
-
-## SavedObjectsMigrationLogger.warning property
-
-<b>Signature:</b>
-
-```typescript
-warning: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md)
+
+## SavedObjectsMigrationLogger.warning property
+
+<b>Signature:</b>
+
+```typescript
+warning: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
index b7f9c8fd8fe98..5e32cf5985a3e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md)
-
-## SavedObjectsMigrationVersion interface
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationVersion 
-```
-
-## Example
-
-migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md)
+
+## SavedObjectsMigrationVersion interface
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationVersion 
+```
+
+## Example
+
+migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
index cd16eadf51931..05f5e93b9a87c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md)
-
-## SavedObjectsRawDoc.\_id property
-
-<b>Signature:</b>
-
-```typescript
-_id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md)
+
+## SavedObjectsRawDoc.\_id property
+
+<b>Signature:</b>
+
+```typescript
+_id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
index c5eef82322f58..25bd447013039 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md)
-
-## SavedObjectsRawDoc.\_primary\_term property
-
-<b>Signature:</b>
-
-```typescript
-_primary_term?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md)
+
+## SavedObjectsRawDoc.\_primary\_term property
+
+<b>Signature:</b>
+
+```typescript
+_primary_term?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
index a3b9a943a708c..86f8ce619a709 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md)
-
-## SavedObjectsRawDoc.\_seq\_no property
-
-<b>Signature:</b>
-
-```typescript
-_seq_no?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md)
+
+## SavedObjectsRawDoc.\_seq\_no property
+
+<b>Signature:</b>
+
+```typescript
+_seq_no?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
index 1babaab14f14d..dcf207f8120ea 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md)
-
-## SavedObjectsRawDoc.\_source property
-
-<b>Signature:</b>
-
-```typescript
-_source: any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md)
+
+## SavedObjectsRawDoc.\_source property
+
+<b>Signature:</b>
+
+```typescript
+_source: any;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
index 31c40e15b53c0..5480b401ba6ce 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md)
-
-## SavedObjectsRawDoc.\_type property
-
-<b>Signature:</b>
-
-```typescript
-_type?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md)
+
+## SavedObjectsRawDoc.\_type property
+
+<b>Signature:</b>
+
+```typescript
+_type?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
index 5864a85465396..b0130df01817f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md)
-
-## SavedObjectsRawDoc interface
-
-A raw document as represented directly in the saved object index.
-
-<b>Signature:</b>
-
-```typescript
-export interface RawDoc 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md) | <code>string</code> |  |
-|  [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md) | <code>number</code> |  |
-|  [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md) | <code>number</code> |  |
-|  [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md) | <code>any</code> |  |
-|  [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md)
+
+## SavedObjectsRawDoc interface
+
+A raw document as represented directly in the saved object index.
+
+<b>Signature:</b>
+
+```typescript
+export interface RawDoc 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md) | <code>string</code> |  |
+|  [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md) | <code>number</code> |  |
+|  [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md) | <code>number</code> |  |
+|  [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md) | <code>any</code> |  |
+|  [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
index 003bc6ac72466..dfe9e51e62483 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md)
-
-## SavedObjectsRepository.bulkCreate() method
-
-Creates multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md)
+
+## SavedObjectsRepository.bulkCreate() method
+
+Creates multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
index 605984d5dea30..34b113bce5410 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
@@ -1,31 +1,31 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsrepository.bulkget.md)
-
-## SavedObjectsRepository.bulkGet() method
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkGetObject[]</code> |  |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\] }
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsrepository.bulkget.md)
+
+## SavedObjectsRepository.bulkGet() method
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkGetObject[]</code> |  |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\] }
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
index 52a73c83b4c3a..23c7a92624957 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md)
-
-## SavedObjectsRepository.bulkUpdate() method
-
-Updates multiple objects in bulk
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkUpdateResponse<T>>`
-
-{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md)
+
+## SavedObjectsRepository.bulkUpdate() method
+
+Updates multiple objects in bulk
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkUpdateResponse<T>>`
+
+{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
index 3a731629156e2..29e3c3ab24654 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [create](./kibana-plugin-server.savedobjectsrepository.create.md)
-
-## SavedObjectsRepository.create() method
-
-Persists an object
-
-<b>Signature:</b>
-
-```typescript
-create<T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
-{<!-- -->promise<!-- -->} - { id, type, version, attributes }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [create](./kibana-plugin-server.savedobjectsrepository.create.md)
+
+## SavedObjectsRepository.create() method
+
+Persists an object
+
+<b>Signature:</b>
+
+```typescript
+create<T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
+{<!-- -->promise<!-- -->} - { id, type, version, attributes }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
index 52c36d2da162d..a53f9423ba7e1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [delete](./kibana-plugin-server.savedobjectsrepository.delete.md)
-
-## SavedObjectsRepository.delete() method
-
-Deletes an object
-
-<b>Signature:</b>
-
-```typescript
-delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{}>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [delete](./kibana-plugin-server.savedobjectsrepository.delete.md)
+
+## SavedObjectsRepository.delete() method
+
+Deletes an object
+
+<b>Signature:</b>
+
+```typescript
+delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{}>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
index ab6eb30e664f1..364443a3444eb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [deleteByNamespace](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md)
-
-## SavedObjectsRepository.deleteByNamespace() method
-
-Deletes all objects from the provided namespace.
-
-<b>Signature:</b>
-
-```typescript
-deleteByNamespace(namespace: string, options?: SavedObjectsDeleteByNamespaceOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  namespace | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteByNamespaceOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
-{<!-- -->promise<!-- -->} - { took, timed\_out, total, deleted, batches, version\_conflicts, noops, retries, failures }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [deleteByNamespace](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md)
+
+## SavedObjectsRepository.deleteByNamespace() method
+
+Deletes all objects from the provided namespace.
+
+<b>Signature:</b>
+
+```typescript
+deleteByNamespace(namespace: string, options?: SavedObjectsDeleteByNamespaceOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  namespace | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteByNamespaceOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
+{<!-- -->promise<!-- -->} - { took, timed\_out, total, deleted, batches, version\_conflicts, noops, retries, failures }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
index 3c2855ed9a50c..dbf6d59e78d85 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [find](./kibana-plugin-server.savedobjectsrepository.find.md)
-
-## SavedObjectsRepository.find() method
-
-<b>Signature:</b>
-
-```typescript
-find<T extends SavedObjectAttributes = any>({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, }: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  { search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, } | <code>SavedObjectsFindOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsFindResponse<T>>`
-
-{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\], total, per\_page, page }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [find](./kibana-plugin-server.savedobjectsrepository.find.md)
+
+## SavedObjectsRepository.find() method
+
+<b>Signature:</b>
+
+```typescript
+find<T extends SavedObjectAttributes = any>({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, }: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  { search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, } | <code>SavedObjectsFindOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsFindResponse<T>>`
+
+{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\], total, per\_page, page }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
index dd1d81f225937..930a4647ca175 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [get](./kibana-plugin-server.savedobjectsrepository.get.md)
-
-## SavedObjectsRepository.get() method
-
-Gets a single object
-
-<b>Signature:</b>
-
-```typescript
-get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
-{<!-- -->promise<!-- -->} - { id, type, version, attributes }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [get](./kibana-plugin-server.savedobjectsrepository.get.md)
+
+## SavedObjectsRepository.get() method
+
+Gets a single object
+
+<b>Signature:</b>
+
+```typescript
+get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
+{<!-- -->promise<!-- -->} - { id, type, version, attributes }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
index f20e9a73d99a1..6b30a05c1c918 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
@@ -1,43 +1,43 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [incrementCounter](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md)
-
-## SavedObjectsRepository.incrementCounter() method
-
-Increases a counter field by one. Creates the document if one doesn't exist for the given id.
-
-<b>Signature:</b>
-
-```typescript
-incrementCounter(type: string, id: string, counterFieldName: string, options?: SavedObjectsIncrementCounterOptions): Promise<{
-        id: string;
-        type: string;
-        updated_at: string;
-        references: any;
-        version: string;
-        attributes: any;
-    }>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  counterFieldName | <code>string</code> |  |
-|  options | <code>SavedObjectsIncrementCounterOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{
-        id: string;
-        type: string;
-        updated_at: string;
-        references: any;
-        version: string;
-        attributes: any;
-    }>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [incrementCounter](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md)
+
+## SavedObjectsRepository.incrementCounter() method
+
+Increases a counter field by one. Creates the document if one doesn't exist for the given id.
+
+<b>Signature:</b>
+
+```typescript
+incrementCounter(type: string, id: string, counterFieldName: string, options?: SavedObjectsIncrementCounterOptions): Promise<{
+        id: string;
+        type: string;
+        updated_at: string;
+        references: any;
+        version: string;
+        attributes: any;
+    }>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  counterFieldName | <code>string</code> |  |
+|  options | <code>SavedObjectsIncrementCounterOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{
+        id: string;
+        type: string;
+        updated_at: string;
+        references: any;
+        version: string;
+        attributes: any;
+    }>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
index 681b2233a1e87..156a92047cc78 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
-
-## SavedObjectsRepository class
-
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsRepository 
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md) |  | Creates multiple documents at once |
-|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkget.md) |  | Returns an array of objects by id |
-|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md) |  | Updates multiple objects in bulk |
-|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsrepository.create.md) |  | Persists an object |
-|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsrepository.delete.md) |  | Deletes an object |
-|  [deleteByNamespace(namespace, options)](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md) |  | Deletes all objects from the provided namespace. |
-|  [find({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, })](./kibana-plugin-server.savedobjectsrepository.find.md) |  |  |
-|  [get(type, id, options)](./kibana-plugin-server.savedobjectsrepository.get.md) |  | Gets a single object |
-|  [incrementCounter(type, id, counterFieldName, options)](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md) |  | Increases a counter field by one. Creates the document if one doesn't exist for the given id. |
-|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsrepository.update.md) |  | Updates an object |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
+
+## SavedObjectsRepository class
+
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsRepository 
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md) |  | Creates multiple documents at once |
+|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkget.md) |  | Returns an array of objects by id |
+|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md) |  | Updates multiple objects in bulk |
+|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsrepository.create.md) |  | Persists an object |
+|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsrepository.delete.md) |  | Deletes an object |
+|  [deleteByNamespace(namespace, options)](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md) |  | Deletes all objects from the provided namespace. |
+|  [find({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, })](./kibana-plugin-server.savedobjectsrepository.find.md) |  |  |
+|  [get(type, id, options)](./kibana-plugin-server.savedobjectsrepository.get.md) |  | Gets a single object |
+|  [incrementCounter(type, id, counterFieldName, options)](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md) |  | Increases a counter field by one. Creates the document if one doesn't exist for the given id. |
+|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsrepository.update.md) |  | Updates an object |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
index 15890ab9211aa..5e9f69ecc567b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [update](./kibana-plugin-server.savedobjectsrepository.update.md)
-
-## SavedObjectsRepository.update() method
-
-Updates an object
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>Partial&lt;T&gt;</code> |  |
-|  options | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsUpdateResponse<T>>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [update](./kibana-plugin-server.savedobjectsrepository.update.md)
+
+## SavedObjectsRepository.update() method
+
+Updates an object
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>Partial&lt;T&gt;</code> |  |
+|  options | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsUpdateResponse<T>>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
index 9be1583c3e254..b808d38793fff 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md)
-
-## SavedObjectsRepositoryFactory.createInternalRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md)
+
+## SavedObjectsRepositoryFactory.createInternalRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
index 5dd9bb05f1fbe..20322d809dce7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md)
-
-## SavedObjectsRepositoryFactory.createScopedRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md)
+
+## SavedObjectsRepositoryFactory.createScopedRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
index 62bcb2d10363e..fc6c4a516284a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md)
-
-## SavedObjectsRepositoryFactory interface
-
-Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsRepositoryFactory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
-|  [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md)
+
+## SavedObjectsRepositoryFactory interface
+
+Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsRepositoryFactory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
+|  [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
index e3542714d96bb..8ed978d4a2639 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md)
-
-## SavedObjectsResolveImportErrorsOptions interface
-
-Options to control the "resolve import" operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsResolveImportErrorsOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md) | <code>string</code> |  |
-|  [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md) | <code>number</code> |  |
-|  [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md) | <code>Readable</code> |  |
-|  [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md) | <code>SavedObjectsImportRetry[]</code> |  |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
-|  [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md)
+
+## SavedObjectsResolveImportErrorsOptions interface
+
+Options to control the "resolve import" operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsResolveImportErrorsOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md) | <code>string</code> |  |
+|  [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md) | <code>number</code> |  |
+|  [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md) | <code>Readable</code> |  |
+|  [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md) | <code>SavedObjectsImportRetry[]</code> |  |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
+|  [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
index 6175e75a4bbec..b88f124545bd5 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md)
-
-## SavedObjectsResolveImportErrorsOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md)
+
+## SavedObjectsResolveImportErrorsOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
index d5616851e1386..a2753ceccc36f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md)
-
-## SavedObjectsResolveImportErrorsOptions.objectLimit property
-
-<b>Signature:</b>
-
-```typescript
-objectLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md)
+
+## SavedObjectsResolveImportErrorsOptions.objectLimit property
+
+<b>Signature:</b>
+
+```typescript
+objectLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
index e4b5d92d7b05a..e7a31deed6faa 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md)
-
-## SavedObjectsResolveImportErrorsOptions.readStream property
-
-<b>Signature:</b>
-
-```typescript
-readStream: Readable;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md)
+
+## SavedObjectsResolveImportErrorsOptions.readStream property
+
+<b>Signature:</b>
+
+```typescript
+readStream: Readable;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
index 7dc825f762fe9..658aa64cfc33f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md)
-
-## SavedObjectsResolveImportErrorsOptions.retries property
-
-<b>Signature:</b>
-
-```typescript
-retries: SavedObjectsImportRetry[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md)
+
+## SavedObjectsResolveImportErrorsOptions.retries property
+
+<b>Signature:</b>
+
+```typescript
+retries: SavedObjectsImportRetry[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
index ae5edc98d3a9e..8a8c620b2cf21 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md)
-
-## SavedObjectsResolveImportErrorsOptions.savedObjectsClient property
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md)
+
+## SavedObjectsResolveImportErrorsOptions.savedObjectsClient property
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
index 5a92a8d0a9936..9cc97c34669b7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md)
-
-## SavedObjectsResolveImportErrorsOptions.supportedTypes property
-
-<b>Signature:</b>
-
-```typescript
-supportedTypes: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md)
+
+## SavedObjectsResolveImportErrorsOptions.supportedTypes property
+
+<b>Signature:</b>
+
+```typescript
+supportedTypes: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
index 769be031eca06..becff5bd2821e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md)
-
-## SavedObjectsServiceSetup.addClientWrapper property
-
-Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority.
-
-<b>Signature:</b>
-
-```typescript
-addClientWrapper: (priority: number, id: string, factory: SavedObjectsClientWrapperFactory) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md)
+
+## SavedObjectsServiceSetup.addClientWrapper property
+
+Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority.
+
+<b>Signature:</b>
+
+```typescript
+addClientWrapper: (priority: number, id: string, factory: SavedObjectsClientWrapperFactory) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
index 2c421f7fc13a7..64fb1f4a5f638 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
@@ -1,33 +1,33 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
-
-## SavedObjectsServiceSetup interface
-
-Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsServiceSetup 
-```
-
-## Remarks
-
-Note: The Saved Object setup API's should only be used for creating and registering client wrappers. Constructing a Saved Objects client or repository for use within your own plugin won't have any of the registered wrappers applied and is considered an anti-pattern. Use the Saved Objects client from the [SavedObjectsServiceStart\#getScopedClient](./kibana-plugin-server.savedobjectsservicestart.md) method or the [route handler context](./kibana-plugin-server.requesthandlercontext.md) instead.
-
-When plugins access the Saved Objects client, a new client is created using the factory provided to `setClientFactory` and wrapped by all wrappers registered through `addClientWrapper`<!-- -->. To create a factory or wrapper, plugins will have to construct a Saved Objects client. First create a repository by calling `scopedRepository` or `internalRepository` and then use this repository as the argument to the [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) constructor.
-
-## Example
-
-import { SavedObjectsClient, CoreSetup } from 'src/core/server';
-
-export class Plugin() { setup: (core: CoreSetup) =<!-- -->&gt; { core.savedObjects.setClientFactory((<!-- -->{ request: KibanaRequest }<!-- -->) =<!-- -->&gt; { return new SavedObjectsClient(core.savedObjects.scopedRepository(request)); }<!-- -->) } }
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md) | <code>(priority: number, id: string, factory: SavedObjectsClientWrapperFactory) =&gt; void</code> | Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority. |
-|  [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) | <code>(clientFactoryProvider: SavedObjectsClientFactoryProvider) =&gt; void</code> | Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
+
+## SavedObjectsServiceSetup interface
+
+Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsServiceSetup 
+```
+
+## Remarks
+
+Note: The Saved Object setup API's should only be used for creating and registering client wrappers. Constructing a Saved Objects client or repository for use within your own plugin won't have any of the registered wrappers applied and is considered an anti-pattern. Use the Saved Objects client from the [SavedObjectsServiceStart\#getScopedClient](./kibana-plugin-server.savedobjectsservicestart.md) method or the [route handler context](./kibana-plugin-server.requesthandlercontext.md) instead.
+
+When plugins access the Saved Objects client, a new client is created using the factory provided to `setClientFactory` and wrapped by all wrappers registered through `addClientWrapper`<!-- -->. To create a factory or wrapper, plugins will have to construct a Saved Objects client. First create a repository by calling `scopedRepository` or `internalRepository` and then use this repository as the argument to the [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) constructor.
+
+## Example
+
+import { SavedObjectsClient, CoreSetup } from 'src/core/server';
+
+export class Plugin() { setup: (core: CoreSetup) =<!-- -->&gt; { core.savedObjects.setClientFactory((<!-- -->{ request: KibanaRequest }<!-- -->) =<!-- -->&gt; { return new SavedObjectsClient(core.savedObjects.scopedRepository(request)); }<!-- -->) } }
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md) | <code>(priority: number, id: string, factory: SavedObjectsClientWrapperFactory) =&gt; void</code> | Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority. |
+|  [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) | <code>(clientFactoryProvider: SavedObjectsClientFactoryProvider) =&gt; void</code> | Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
index 5b57495198edc..ed11255048f19 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
-
-## SavedObjectsServiceSetup.setClientFactoryProvider property
-
-Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail.
-
-<b>Signature:</b>
-
-```typescript
-setClientFactoryProvider: (clientFactoryProvider: SavedObjectsClientFactoryProvider) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
+
+## SavedObjectsServiceSetup.setClientFactoryProvider property
+
+Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail.
+
+<b>Signature:</b>
+
+```typescript
+setClientFactoryProvider: (clientFactoryProvider: SavedObjectsClientFactoryProvider) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
index c33e1750224d7..d639a8bc66b7e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md)
-
-## SavedObjectsServiceStart.createInternalRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md)
+
+## SavedObjectsServiceStart.createInternalRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
index e562f7f4e7569..7683a9e46c51d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md)
-
-## SavedObjectsServiceStart.createScopedRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
-```
-
-## Remarks
-
-Prefer using `getScopedClient`<!-- -->. This should only be used when using methods not exposed on [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md)
+
+## SavedObjectsServiceStart.createScopedRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
+```
+
+## Remarks
+
+Prefer using `getScopedClient`<!-- -->. This should only be used when using methods not exposed on [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
index e87979a124bdc..341906856e342 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md)
-
-## SavedObjectsServiceStart.getScopedClient property
-
-Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.
-
-A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-getScopedClient: (req: KibanaRequest, options?: SavedObjectsClientProviderOptions) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md)
+
+## SavedObjectsServiceStart.getScopedClient property
+
+Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.
+
+A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+getScopedClient: (req: KibanaRequest, options?: SavedObjectsClientProviderOptions) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
index 7e4b1fd9158e6..cf2b4f57a7461 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
-
-## SavedObjectsServiceStart interface
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
-|  [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
-|  [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md) | <code>(req: KibanaRequest, options?: SavedObjectsClientProviderOptions) =&gt; SavedObjectsClientContract</code> | Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.<!-- -->A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
+
+## SavedObjectsServiceStart interface
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
+|  [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
+|  [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md) | <code>(req: KibanaRequest, options?: SavedObjectsClientProviderOptions) =&gt; SavedObjectsClientContract</code> | Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.<!-- -->A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
index 49e8946ad2826..8850bd1b6482f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md)
-
-## SavedObjectsUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-|  [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md)
+
+## SavedObjectsUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+|  [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
index 76eca68dba37f..7a9ba971d05f6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md)
-
-## SavedObjectsUpdateOptions.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md)
+
+## SavedObjectsUpdateOptions.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
index bb1142c242012..faad283715901 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md)
-
-## SavedObjectsUpdateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md)
+
+## SavedObjectsUpdateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
index 6e399b343556b..c9c37e0184cb9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md)
-
-## SavedObjectsUpdateOptions.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md)
+
+## SavedObjectsUpdateOptions.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
index 7d1edb3bb6594..961bb56e33557 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md)
-
-## SavedObjectsUpdateResponse.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: Partial<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md)
+
+## SavedObjectsUpdateResponse.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: Partial<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
index 0731ff5549bd4..64c9037735358 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md)
-
-## SavedObjectsUpdateResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateResponse<T extends SavedObjectAttributes = any> extends Omit<SavedObject<T>, 'attributes' | 'references'> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md) | <code>Partial&lt;T&gt;</code> |  |
-|  [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md) | <code>SavedObjectReference[] &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md)
+
+## SavedObjectsUpdateResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateResponse<T extends SavedObjectAttributes = any> extends Omit<SavedObject<T>, 'attributes' | 'references'> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md) | <code>Partial&lt;T&gt;</code> |  |
+|  [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md) | <code>SavedObjectReference[] &#124; undefined</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
index 26e33694b943c..aa2aac98696e3 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md)
-
-## SavedObjectsUpdateResponse.references property
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[] | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md)
+
+## SavedObjectsUpdateResponse.references property
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[] | undefined;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.scopeablerequest.md b/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
index 5a9443376996d..d7d829e37d805 100644
--- a/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
+++ b/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md)
-
-## ScopeableRequest type
-
-A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.
-
-See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ScopeableRequest = KibanaRequest | LegacyRequest | FakeRequest;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md)
+
+## ScopeableRequest type
+
+A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.
+
+See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ScopeableRequest = KibanaRequest | LegacyRequest | FakeRequest;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
index c9f22356afc3c..e592772a60e1c 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [(constructor)](./kibana-plugin-server.scopedclusterclient._constructor_.md)
-
-## ScopedClusterClient.(constructor)
-
-Constructs a new instance of the `ScopedClusterClient` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(internalAPICaller: APICaller, scopedAPICaller: APICaller, headers?: Headers | undefined);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  internalAPICaller | <code>APICaller</code> |  |
-|  scopedAPICaller | <code>APICaller</code> |  |
-|  headers | <code>Headers &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [(constructor)](./kibana-plugin-server.scopedclusterclient._constructor_.md)
+
+## ScopedClusterClient.(constructor)
+
+Constructs a new instance of the `ScopedClusterClient` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(internalAPICaller: APICaller, scopedAPICaller: APICaller, headers?: Headers | undefined);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  internalAPICaller | <code>APICaller</code> |  |
+|  scopedAPICaller | <code>APICaller</code> |  |
+|  headers | <code>Headers &#124; undefined</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
index 1f53270042185..5af2f7ca79ccb 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsCurrentUser](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md)
-
-## ScopedClusterClient.callAsCurrentUser() method
-
-Calls specified `endpoint` with provided `clientParams` on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsCurrentUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
-|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
-|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsCurrentUser](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md)
+
+## ScopedClusterClient.callAsCurrentUser() method
+
+Calls specified `endpoint` with provided `clientParams` on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsCurrentUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
+|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
+|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
index 7249af7b429e4..89d343338e7b5 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md)
-
-## ScopedClusterClient.callAsInternalUser() method
-
-Calls specified `endpoint` with provided `clientParams` on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsInternalUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
-|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
-|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md)
+
+## ScopedClusterClient.callAsInternalUser() method
+
+Calls specified `endpoint` with provided `clientParams` on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsInternalUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
+|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
+|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
index dcbf869bc9360..4c1854b61be85 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)
-
-## ScopedClusterClient class
-
-Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
-
-See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ScopedClusterClient implements IScopedClusterClient 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(internalAPICaller, scopedAPICaller, headers)](./kibana-plugin-server.scopedclusterclient._constructor_.md) |  | Constructs a new instance of the <code>ScopedClusterClient</code> class |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [callAsCurrentUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-|  [callAsInternalUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)
+
+## ScopedClusterClient class
+
+Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
+
+See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ScopedClusterClient implements IScopedClusterClient 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(internalAPICaller, scopedAPICaller, headers)](./kibana-plugin-server.scopedclusterclient._constructor_.md) |  | Constructs a new instance of the <code>ScopedClusterClient</code> class |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [callAsCurrentUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+|  [callAsInternalUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
index 6e5f6acca2eb9..297bc4e5f3aee 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md)
-
-## SessionCookieValidationResult.isValid property
-
-Whether the cookie is valid or not.
-
-<b>Signature:</b>
-
-```typescript
-isValid: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md)
+
+## SessionCookieValidationResult.isValid property
+
+Whether the cookie is valid or not.
+
+<b>Signature:</b>
+
+```typescript
+isValid: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
index 6d32c4cca3dd6..4dbeb5603c155 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md)
-
-## SessionCookieValidationResult interface
-
-Return type from a function to validate cookie contents.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionCookieValidationResult 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md) | <code>boolean</code> | Whether the cookie is valid or not. |
-|  [path](./kibana-plugin-server.sessioncookievalidationresult.path.md) | <code>string</code> | The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md)
+
+## SessionCookieValidationResult interface
+
+Return type from a function to validate cookie contents.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionCookieValidationResult 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md) | <code>boolean</code> | Whether the cookie is valid or not. |
+|  [path](./kibana-plugin-server.sessioncookievalidationresult.path.md) | <code>string</code> | The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
index 8ca6d452213aa..bab8444849786 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [path](./kibana-plugin-server.sessioncookievalidationresult.path.md)
-
-## SessionCookieValidationResult.path property
-
-The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it.
-
-<b>Signature:</b>
-
-```typescript
-path?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [path](./kibana-plugin-server.sessioncookievalidationresult.path.md)
+
+## SessionCookieValidationResult.path property
+
+The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it.
+
+<b>Signature:</b>
+
+```typescript
+path?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
index 1f5813e181548..cfb92812af94f 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [clear](./kibana-plugin-server.sessionstorage.clear.md)
-
-## SessionStorage.clear() method
-
-Clears current session.
-
-<b>Signature:</b>
-
-```typescript
-clear(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [clear](./kibana-plugin-server.sessionstorage.clear.md)
+
+## SessionStorage.clear() method
+
+Clears current session.
+
+<b>Signature:</b>
+
+```typescript
+clear(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
index 26c63884ee71a..d3459de75638d 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [get](./kibana-plugin-server.sessionstorage.get.md)
-
-## SessionStorage.get() method
-
-Retrieves session value from the session storage.
-
-<b>Signature:</b>
-
-```typescript
-get(): Promise<T | null>;
-```
-<b>Returns:</b>
-
-`Promise<T | null>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [get](./kibana-plugin-server.sessionstorage.get.md)
+
+## SessionStorage.get() method
+
+Retrieves session value from the session storage.
+
+<b>Signature:</b>
+
+```typescript
+get(): Promise<T | null>;
+```
+<b>Returns:</b>
+
+`Promise<T | null>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.md
index 02e48c1dd3dc4..e721357032436 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md)
-
-## SessionStorage interface
-
-Provides an interface to store and retrieve data across requests.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorage<T> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [clear()](./kibana-plugin-server.sessionstorage.clear.md) | Clears current session. |
-|  [get()](./kibana-plugin-server.sessionstorage.get.md) | Retrieves session value from the session storage. |
-|  [set(sessionValue)](./kibana-plugin-server.sessionstorage.set.md) | Puts current session value into the session storage. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md)
+
+## SessionStorage interface
+
+Provides an interface to store and retrieve data across requests.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorage<T> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [clear()](./kibana-plugin-server.sessionstorage.clear.md) | Clears current session. |
+|  [get()](./kibana-plugin-server.sessionstorage.get.md) | Retrieves session value from the session storage. |
+|  [set(sessionValue)](./kibana-plugin-server.sessionstorage.set.md) | Puts current session value into the session storage. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
index 7e3a2a4361244..40d1c373d2a71 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [set](./kibana-plugin-server.sessionstorage.set.md)
-
-## SessionStorage.set() method
-
-Puts current session value into the session storage.
-
-<b>Signature:</b>
-
-```typescript
-set(sessionValue: T): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  sessionValue | <code>T</code> | value to put |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [set](./kibana-plugin-server.sessionstorage.set.md)
+
+## SessionStorage.set() method
+
+Puts current session value into the session storage.
+
+<b>Signature:</b>
+
+```typescript
+set(sessionValue: T): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  sessionValue | <code>T</code> | value to put |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
index ef65735e7bdba..ddaa0adff3570 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md)
-
-## SessionStorageCookieOptions.encryptionKey property
-
-A key used to encrypt a cookie's value. Should be at least 32 characters long.
-
-<b>Signature:</b>
-
-```typescript
-encryptionKey: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md)
+
+## SessionStorageCookieOptions.encryptionKey property
+
+A key used to encrypt a cookie's value. Should be at least 32 characters long.
+
+<b>Signature:</b>
+
+```typescript
+encryptionKey: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
index 824fc9d136a3f..7153bc0730926 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md)
-
-## SessionStorageCookieOptions.isSecure property
-
-Flag indicating whether the cookie should be sent only via a secure connection.
-
-<b>Signature:</b>
-
-```typescript
-isSecure: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md)
+
+## SessionStorageCookieOptions.isSecure property
+
+Flag indicating whether the cookie should be sent only via a secure connection.
+
+<b>Signature:</b>
+
+```typescript
+isSecure: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
index 778dc27a190d9..6b058864a4d9c 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md)
-
-## SessionStorageCookieOptions interface
-
-Configuration used to create HTTP session storage based on top of cookie mechanism.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorageCookieOptions<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md) | <code>string</code> | A key used to encrypt a cookie's value. Should be at least 32 characters long. |
-|  [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md) | <code>boolean</code> | Flag indicating whether the cookie should be sent only via a secure connection. |
-|  [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md) | <code>string</code> | Name of the session cookie. |
-|  [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md) | <code>(sessionValue: T &#124; T[]) =&gt; SessionCookieValidationResult</code> | Function called to validate a cookie's decrypted value. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md)
+
+## SessionStorageCookieOptions interface
+
+Configuration used to create HTTP session storage based on top of cookie mechanism.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorageCookieOptions<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md) | <code>string</code> | A key used to encrypt a cookie's value. Should be at least 32 characters long. |
+|  [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md) | <code>boolean</code> | Flag indicating whether the cookie should be sent only via a secure connection. |
+|  [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md) | <code>string</code> | Name of the session cookie. |
+|  [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md) | <code>(sessionValue: T &#124; T[]) =&gt; SessionCookieValidationResult</code> | Function called to validate a cookie's decrypted value. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
index e6bc7ea3fe00f..673f3c4f2d422 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md)
-
-## SessionStorageCookieOptions.name property
-
-Name of the session cookie.
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md)
+
+## SessionStorageCookieOptions.name property
+
+Name of the session cookie.
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
index effa4b6bbc077..e59f4d910305e 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md)
-
-## SessionStorageCookieOptions.validate property
-
-Function called to validate a cookie's decrypted value.
-
-<b>Signature:</b>
-
-```typescript
-validate: (sessionValue: T | T[]) => SessionCookieValidationResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md)
+
+## SessionStorageCookieOptions.validate property
+
+Function called to validate a cookie's decrypted value.
+
+<b>Signature:</b>
+
+```typescript
+validate: (sessionValue: T | T[]) => SessionCookieValidationResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
index fcc5b90e2dd0c..4a42a52e56bd0 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) &gt; [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md)
-
-## SessionStorageFactory.asScoped property
-
-<b>Signature:</b>
-
-```typescript
-asScoped: (request: KibanaRequest) => SessionStorage<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) &gt; [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md)
+
+## SessionStorageFactory.asScoped property
+
+<b>Signature:</b>
+
+```typescript
+asScoped: (request: KibanaRequest) => SessionStorage<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
index eb559005575b1..a5b4ebdf5b8cd 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
-
-## SessionStorageFactory interface
-
-SessionStorage factory to bind one to an incoming request
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorageFactory<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md) | <code>(request: KibanaRequest) =&gt; SessionStorage&lt;T&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
+
+## SessionStorageFactory interface
+
+SessionStorage factory to bind one to an incoming request
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorageFactory<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md) | <code>(request: KibanaRequest) =&gt; SessionStorage&lt;T&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md b/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
index 418d406d4c890..f5329824ad7f6 100644
--- a/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md)
-
-## SharedGlobalConfig type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type SharedGlobalConfig = RecursiveReadonly<{
-    kibana: Pick<KibanaConfigType, typeof SharedGlobalConfigKeys.kibana[number]>;
-    elasticsearch: Pick<ElasticsearchConfigType, typeof SharedGlobalConfigKeys.elasticsearch[number]>;
-    path: Pick<PathConfigType, typeof SharedGlobalConfigKeys.path[number]>;
-}>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md)
+
+## SharedGlobalConfig type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type SharedGlobalConfig = RecursiveReadonly<{
+    kibana: Pick<KibanaConfigType, typeof SharedGlobalConfigKeys.kibana[number]>;
+    elasticsearch: Pick<ElasticsearchConfigType, typeof SharedGlobalConfigKeys.elasticsearch[number]>;
+    path: Pick<PathConfigType, typeof SharedGlobalConfigKeys.path[number]>;
+}>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidation.md b/docs/development/core/server/kibana-plugin-server.stringvalidation.md
index 0e396f2972c44..7da69b141d82c 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidation.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidation](./kibana-plugin-server.stringvalidation.md)
-
-## StringValidation type
-
-Allows regex objects or a regex string
-
-<b>Signature:</b>
-
-```typescript
-export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidation](./kibana-plugin-server.stringvalidation.md)
+
+## StringValidation type
+
+Allows regex objects or a regex string
+
+<b>Signature:</b>
+
+```typescript
+export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
index 46d196ea8e03f..b082978c4ee65 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md)
-
-## StringValidationRegex interface
-
-StringValidation with regex object
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegex 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.stringvalidationregex.message.md) | <code>string</code> |  |
-|  [regex](./kibana-plugin-server.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md)
+
+## StringValidationRegex interface
+
+StringValidation with regex object
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegex 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.stringvalidationregex.message.md) | <code>string</code> |  |
+|  [regex](./kibana-plugin-server.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
index 383b1f6d8873c..66197813b2be4 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [message](./kibana-plugin-server.stringvalidationregex.message.md)
-
-## StringValidationRegex.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [message](./kibana-plugin-server.stringvalidationregex.message.md)
+
+## StringValidationRegex.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
index 69a96a0489503..4e295791454f9 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [regex](./kibana-plugin-server.stringvalidationregex.regex.md)
-
-## StringValidationRegex.regex property
-
-<b>Signature:</b>
-
-```typescript
-regex: RegExp;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [regex](./kibana-plugin-server.stringvalidationregex.regex.md)
+
+## StringValidationRegex.regex property
+
+<b>Signature:</b>
+
+```typescript
+regex: RegExp;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
index d76cb94fdd1a1..6bd23b999a7c3 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md)
-
-## StringValidationRegexString interface
-
-StringValidation as regex string
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegexString 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.stringvalidationregexstring.message.md) | <code>string</code> |  |
-|  [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md)
+
+## StringValidationRegexString interface
+
+StringValidation as regex string
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegexString 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.stringvalidationregexstring.message.md) | <code>string</code> |  |
+|  [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
index 361dfe788b852..96d1f1980eff9 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-server.stringvalidationregexstring.message.md)
-
-## StringValidationRegexString.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-server.stringvalidationregexstring.message.md)
+
+## StringValidationRegexString.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
index 203cc7e7a0aad..61a0d53dcc511 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md)
-
-## StringValidationRegexString.regexString property
-
-<b>Signature:</b>
-
-```typescript
-regexString: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md)
+
+## StringValidationRegexString.regexString property
+
+<b>Signature:</b>
+
+```typescript
+regexString: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
index 6bf1b17dc947a..3754bc01103d6 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [category](./kibana-plugin-server.uisettingsparams.category.md)
-
-## UiSettingsParams.category property
-
-used to group the configured setting in the UI
-
-<b>Signature:</b>
-
-```typescript
-category?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [category](./kibana-plugin-server.uisettingsparams.category.md)
+
+## UiSettingsParams.category property
+
+used to group the configured setting in the UI
+
+<b>Signature:</b>
+
+```typescript
+category?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
index 7ad26b85bf81c..4581f09864226 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md)
-
-## UiSettingsParams.deprecation property
-
-optional deprecation information. Used to generate a deprecation warning.
-
-<b>Signature:</b>
-
-```typescript
-deprecation?: DeprecationSettings;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md)
+
+## UiSettingsParams.deprecation property
+
+optional deprecation information. Used to generate a deprecation warning.
+
+<b>Signature:</b>
+
+```typescript
+deprecation?: DeprecationSettings;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
index 6a203629f5425..783c8ddde1d5e 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [description](./kibana-plugin-server.uisettingsparams.description.md)
-
-## UiSettingsParams.description property
-
-description provided to a user in UI
-
-<b>Signature:</b>
-
-```typescript
-description?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [description](./kibana-plugin-server.uisettingsparams.description.md)
+
+## UiSettingsParams.description property
+
+description provided to a user in UI
+
+<b>Signature:</b>
+
+```typescript
+description?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
index fc2f8038f973f..3e20f4744ee51 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
-
-## UiSettingsParams interface
-
-UiSettings parameters defined by the plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-server.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
-|  [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
-|  [description](./kibana-plugin-server.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
-|  [name](./kibana-plugin-server.uisettingsparams.name.md) | <code>string</code> | title in the UI |
-|  [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
-|  [options](./kibana-plugin-server.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
-|  [readonly](./kibana-plugin-server.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
-|  [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
-|  [type](./kibana-plugin-server.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md) |
-|  [validation](./kibana-plugin-server.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
-|  [value](./kibana-plugin-server.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
+
+## UiSettingsParams interface
+
+UiSettings parameters defined by the plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-server.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
+|  [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
+|  [description](./kibana-plugin-server.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
+|  [name](./kibana-plugin-server.uisettingsparams.name.md) | <code>string</code> | title in the UI |
+|  [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
+|  [options](./kibana-plugin-server.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
+|  [readonly](./kibana-plugin-server.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
+|  [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
+|  [type](./kibana-plugin-server.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md) |
+|  [validation](./kibana-plugin-server.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
+|  [value](./kibana-plugin-server.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
index 07905ca7de20a..f445d970fe0b2 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [name](./kibana-plugin-server.uisettingsparams.name.md)
-
-## UiSettingsParams.name property
-
-title in the UI
-
-<b>Signature:</b>
-
-```typescript
-name?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [name](./kibana-plugin-server.uisettingsparams.name.md)
+
+## UiSettingsParams.name property
+
+title in the UI
+
+<b>Signature:</b>
+
+```typescript
+name?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
index cb0e196fdcacc..7f970cfd474fc 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md)
-
-## UiSettingsParams.optionLabels property
-
-text labels for 'select' type UI element
-
-<b>Signature:</b>
-
-```typescript
-optionLabels?: Record<string, string>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md)
+
+## UiSettingsParams.optionLabels property
+
+text labels for 'select' type UI element
+
+<b>Signature:</b>
+
+```typescript
+optionLabels?: Record<string, string>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
index 2220feab74ffd..d25043623a6da 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [options](./kibana-plugin-server.uisettingsparams.options.md)
-
-## UiSettingsParams.options property
-
-array of permitted values for this setting
-
-<b>Signature:</b>
-
-```typescript
-options?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [options](./kibana-plugin-server.uisettingsparams.options.md)
+
+## UiSettingsParams.options property
+
+array of permitted values for this setting
+
+<b>Signature:</b>
+
+```typescript
+options?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
index faec4d6eadbcc..276b965ec128a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [readonly](./kibana-plugin-server.uisettingsparams.readonly.md)
-
-## UiSettingsParams.readonly property
-
-a flag indicating that value cannot be changed
-
-<b>Signature:</b>
-
-```typescript
-readonly?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [readonly](./kibana-plugin-server.uisettingsparams.readonly.md)
+
+## UiSettingsParams.readonly property
+
+a flag indicating that value cannot be changed
+
+<b>Signature:</b>
+
+```typescript
+readonly?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
index 224b3695224b9..7d6ce9ef8b233 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md)
-
-## UiSettingsParams.requiresPageReload property
-
-a flag indicating whether new value applying requires page reloading
-
-<b>Signature:</b>
-
-```typescript
-requiresPageReload?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md)
+
+## UiSettingsParams.requiresPageReload property
+
+a flag indicating whether new value applying requires page reloading
+
+<b>Signature:</b>
+
+```typescript
+requiresPageReload?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
index ccf2d67b2dffb..b66483cf4624a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [type](./kibana-plugin-server.uisettingsparams.type.md)
-
-## UiSettingsParams.type property
-
-defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
-
-<b>Signature:</b>
-
-```typescript
-type?: UiSettingsType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [type](./kibana-plugin-server.uisettingsparams.type.md)
+
+## UiSettingsParams.type property
+
+defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
+
+<b>Signature:</b>
+
+```typescript
+type?: UiSettingsType;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
index f097f36e999ba..ee0a9d6c86540 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [validation](./kibana-plugin-server.uisettingsparams.validation.md)
-
-## UiSettingsParams.validation property
-
-<b>Signature:</b>
-
-```typescript
-validation?: ImageValidation | StringValidation;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [validation](./kibana-plugin-server.uisettingsparams.validation.md)
+
+## UiSettingsParams.validation property
+
+<b>Signature:</b>
+
+```typescript
+validation?: ImageValidation | StringValidation;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
index 397498ccf5c11..256d72b2cbf2f 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [value](./kibana-plugin-server.uisettingsparams.value.md)
-
-## UiSettingsParams.value property
-
-default value to fall back to if a user doesn't provide any
-
-<b>Signature:</b>
-
-```typescript
-value?: SavedObjectAttribute;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [value](./kibana-plugin-server.uisettingsparams.value.md)
+
+## UiSettingsParams.value property
+
+default value to fall back to if a user doesn't provide any
+
+<b>Signature:</b>
+
+```typescript
+value?: SavedObjectAttribute;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
index 8dde78f633d88..78f5c2a7dd03a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
-
-## UiSettingsServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsServiceSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [register(settings)](./kibana-plugin-server.uisettingsservicesetup.register.md) | Sets settings with default values for the uiSettings. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
+
+## UiSettingsServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsServiceSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [register(settings)](./kibana-plugin-server.uisettingsservicesetup.register.md) | Sets settings with default values for the uiSettings. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
index 0047b5275408e..366888ed2ce18 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
@@ -1,40 +1,40 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) &gt; [register](./kibana-plugin-server.uisettingsservicesetup.register.md)
-
-## UiSettingsServiceSetup.register() method
-
-Sets settings with default values for the uiSettings.
-
-<b>Signature:</b>
-
-```typescript
-register(settings: Record<string, UiSettingsParams>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  settings | <code>Record&lt;string, UiSettingsParams&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-
-```ts
-setup(core: CoreSetup){
- core.uiSettings.register([{
-  foo: {
-   name: i18n.translate('my foo settings'),
-   value: true,
-   description: 'add some awesomeness',
-  },
- }]);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) &gt; [register](./kibana-plugin-server.uisettingsservicesetup.register.md)
+
+## UiSettingsServiceSetup.register() method
+
+Sets settings with default values for the uiSettings.
+
+<b>Signature:</b>
+
+```typescript
+register(settings: Record<string, UiSettingsParams>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  settings | <code>Record&lt;string, UiSettingsParams&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+
+```ts
+setup(core: CoreSetup){
+ core.uiSettings.register([{
+  foo: {
+   name: i18n.translate('my foo settings'),
+   value: true,
+   description: 'add some awesomeness',
+  },
+ }]);
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
index 072dd39faa084..9e202d15a1beb 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) &gt; [asScopedToClient](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md)
-
-## UiSettingsServiceStart.asScopedToClient() method
-
-Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.
-
-This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asScopedToClient(savedObjectsClient: SavedObjectsClientContract): IUiSettingsClient;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  savedObjectsClient | <code>SavedObjectsClientContract</code> |  |
-
-<b>Returns:</b>
-
-`IUiSettingsClient`
-
-## Example
-
-
-```ts
-start(core: CoreStart) {
- const soClient = core.savedObjects.getScopedClient(arbitraryRequest);
- const uiSettingsClient = core.uiSettings.asScopedToClient(soClient);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) &gt; [asScopedToClient](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md)
+
+## UiSettingsServiceStart.asScopedToClient() method
+
+Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.
+
+This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asScopedToClient(savedObjectsClient: SavedObjectsClientContract): IUiSettingsClient;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  savedObjectsClient | <code>SavedObjectsClientContract</code> |  |
+
+<b>Returns:</b>
+
+`IUiSettingsClient`
+
+## Example
+
+
+```ts
+start(core: CoreStart) {
+ const soClient = core.savedObjects.getScopedClient(arbitraryRequest);
+ const uiSettingsClient = core.uiSettings.asScopedToClient(soClient);
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
index ee3563552275a..e4375303a1b3d 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
-
-## UiSettingsServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsServiceStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [asScopedToClient(savedObjectsClient)](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md) | Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.<!-- -->This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
+
+## UiSettingsServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsServiceStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [asScopedToClient(savedObjectsClient)](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md) | Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.<!-- -->This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingstype.md b/docs/development/core/server/kibana-plugin-server.uisettingstype.md
index b78932aecc724..09fb43e974d9b 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingstype.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingstype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
-
-## UiSettingsType type
-
-UI element type to represent the settings.
-
-<b>Signature:</b>
-
-```typescript
-export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
+
+## UiSettingsType type
+
+UI element type to represent the settings.
+
+<b>Signature:</b>
+
+```typescript
+export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
index 01e04b490595d..304999f911fa4 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md)
-
-## UserProvidedValues.isOverridden property
-
-<b>Signature:</b>
-
-```typescript
-isOverridden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md)
+
+## UserProvidedValues.isOverridden property
+
+<b>Signature:</b>
+
+```typescript
+isOverridden?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
index e0f5f7fadd12f..e00672070bba8 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md)
-
-## UserProvidedValues interface
-
-Describes the values explicitly set by user.
-
-<b>Signature:</b>
-
-```typescript
-export interface UserProvidedValues<T = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
-|  [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md) | <code>T</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md)
+
+## UserProvidedValues interface
+
+Describes the values explicitly set by user.
+
+<b>Signature:</b>
+
+```typescript
+export interface UserProvidedValues<T = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
+|  [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md) | <code>T</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
index 59d25651b7697..c45efa9296831 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md)
-
-## UserProvidedValues.userValue property
-
-<b>Signature:</b>
-
-```typescript
-userValue?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md)
+
+## UserProvidedValues.userValue property
+
+<b>Signature:</b>
+
+```typescript
+userValue?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
index e0b7012bea4aa..c937b49f08e74 100644
--- a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
+++ b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) &gt; [getInstanceUuid](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md)
-
-## UuidServiceSetup.getInstanceUuid() method
-
-Retrieve the Kibana instance uuid.
-
-<b>Signature:</b>
-
-```typescript
-getInstanceUuid(): string;
-```
-<b>Returns:</b>
-
-`string`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) &gt; [getInstanceUuid](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md)
+
+## UuidServiceSetup.getInstanceUuid() method
+
+Retrieve the Kibana instance uuid.
+
+<b>Signature:</b>
+
+```typescript
+getInstanceUuid(): string;
+```
+<b>Returns:</b>
+
+`string`
+
diff --git a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
index f2a6cfdeac704..fa319779e01d5 100644
--- a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
-
-## UuidServiceSetup interface
-
-APIs to access the application's instance uuid.
-
-<b>Signature:</b>
-
-```typescript
-export interface UuidServiceSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getInstanceUuid()](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md) | Retrieve the Kibana instance uuid. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
+
+## UuidServiceSetup interface
+
+APIs to access the application's instance uuid.
+
+<b>Signature:</b>
+
+```typescript
+export interface UuidServiceSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getInstanceUuid()](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md) | Retrieve the Kibana instance uuid. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.validbodyoutput.md b/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
index ea866abf887fb..2230fcc988d76 100644
--- a/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
+++ b/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [validBodyOutput](./kibana-plugin-server.validbodyoutput.md)
-
-## validBodyOutput variable
-
-The set of valid body.output
-
-<b>Signature:</b>
-
-```typescript
-validBodyOutput: readonly ["data", "stream"]
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [validBodyOutput](./kibana-plugin-server.validbodyoutput.md)
+
+## validBodyOutput variable
+
+The set of valid body.output
+
+<b>Signature:</b>
+
+```typescript
+validBodyOutput: readonly ["data", "stream"]
+```
diff --git a/src/dev/precommit_hook/casing_check_config.js b/src/dev/precommit_hook/casing_check_config.js
index e5493df0aecf7..78fc041345577 100644
--- a/src/dev/precommit_hook/casing_check_config.js
+++ b/src/dev/precommit_hook/casing_check_config.js
@@ -55,6 +55,9 @@ export const IGNORE_FILE_GLOBS = [
 
   // filename is required by storybook
   'packages/kbn-storybook/storybook_config/preview-head.html',
+
+  // filename required by api-extractor
+  'api-documenter.json',
 ];
 
 /**
diff --git a/src/dev/run_check_core_api_changes.ts b/src/dev/run_check_core_api_changes.ts
index 56664477df491..48f31c261c445 100644
--- a/src/dev/run_check_core_api_changes.ts
+++ b/src/dev/run_check_core_api_changes.ts
@@ -83,7 +83,7 @@ const runBuildTypes = async () => {
 const runApiDocumenter = async (folder: string) => {
   await execa(
     'api-documenter',
-    ['markdown', '-i', `./build/${folder}`, '-o', `./docs/development/core/${folder}`],
+    ['generate', '-i', `./build/${folder}`, '-o', `./docs/development/core/${folder}`],
     {
       preferLocal: true,
     }

From 133c2994ca8ba3c8904fc5f0db524da8f4d72e28 Mon Sep 17 00:00:00 2001
From: Liza Katz <liza.katz@elastic.co>
Date: Mon, 27 Jan 2020 16:18:27 +0200
Subject: [PATCH 04/36] Move search service code to NP  (#55430)

* Move get search params into search strategy

* Move search strategy to NP and clean up courier exports

* Move fetch to NP

* Moved search source to NP

* Move shard failure to data/ui folder

* move getflattenedobject to core/utils

* fix discover

* eslint

* fix scss

* fix ts

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../legacy/config/get_unused_config_keys.ts   |  3 +-
 .../utils/get_flattened_object.test.ts        |  0
 .../utils/get_flattened_object.ts             |  0
 src/core/utils/index.ts                       |  1 +
 src/legacy/core_plugins/data/public/index.ts  |  2 -
 src/legacy/core_plugins/data/public/plugin.ts | 38 +++++-------
 .../data/public/search/expressions/esaggs.ts  |  5 +-
 .../core_plugins/data/public/search/index.ts  |  2 -
 .../data/public/search/search_service.ts      | 53 ----------------
 .../core_plugins/data/public/search/types.ts  |  3 -
 .../search/utils/courier_inspector_utils.ts   |  3 +-
 .../public/legacy_imports.ts                  |  5 +-
 .../__tests__/get_saved_dashboard_mock.ts     |  3 +-
 .../saved_dashboard/saved_dashboard.ts        |  8 ++-
 .../kibana/public/discover/kibana_services.ts | 16 ++---
 .../discover/np_ready/angular/discover.js     | 14 +++--
 .../public/embeddable/visualize_embeddable.ts |  2 +-
 .../visualizations/public/legacy_mocks.ts     |  3 +-
 .../components/visualization_requesterror.tsx |  2 +-
 .../np_ready/public/legacy/build_pipeline.ts  |  3 +-
 src/legacy/server/config/override.js          |  2 +-
 src/legacy/ui/public/_index.scss              |  1 -
 src/legacy/ui/public/agg_types/agg_config.ts  |  8 ++-
 src/legacy/ui/public/agg_types/agg_configs.ts |  3 +-
 src/legacy/ui/public/agg_types/agg_type.ts    |  3 +-
 .../ui/public/agg_types/buckets/terms.ts      | 12 +++-
 .../ui/public/agg_types/param_types/base.ts   |  2 +-
 src/legacy/ui/public/courier/_index.scss      |  1 -
 src/legacy/ui/public/courier/index.ts         | 62 -------------------
 .../ui/public/courier/search_source/mocks.ts  | 61 ------------------
 .../courier/search_source/search_source.ts    | 20 ------
 .../public/courier/search_strategy/index.ts   | 25 --------
 .../courier/search_strategy/search_error.ts   | 20 ------
 src/legacy/ui/public/courier/types.ts         | 25 --------
 src/legacy/ui/public/private/private.js       |  4 --
 .../helpers/build_saved_object.ts             |  2 +-
 src/legacy/ui/public/saved_objects/types.ts   |  7 ++-
 .../loader/utils/query_geohash_bounds.ts      |  8 ++-
 src/legacy/utils/index.d.ts                   |  2 -
 src/legacy/utils/index.js                     |  1 -
 .../data/public/index_patterns/index.ts       |  2 +
 .../data/public/index_patterns/lib/index.ts   |  1 +
 .../public/index_patterns/lib/is_default.ts}  |  4 +-
 src/plugins/data/public/plugin.ts             |  4 +-
 .../data/public/search/es_client/index.ts     |  2 +-
 .../public/search/fetch/call_client.test.ts   |  4 +-
 .../data/public/search/fetch/call_client.ts   |  4 +-
 .../data/public/search/fetch/errors.ts        |  5 +-
 .../public/search/fetch/fetch_soon.test.ts    |  4 +-
 .../data/public/search/fetch/fetch_soon.ts    |  2 +-
 .../search/fetch/handle_response.test.ts      |  5 +-
 .../public/search/fetch/handle_response.tsx   | 14 ++---
 .../data/public/search/fetch/index.ts         |  5 +-
 .../data/public/search/fetch/types.ts         |  2 +-
 src/plugins/data/public/search/index.ts       | 20 +++++-
 .../filter_docvalue_fields.test.ts            |  0
 .../search_source/filter_docvalue_fields.ts   |  0
 .../data/public/search/search_source/index.ts |  1 +
 .../data/public/search/search_source/mocks.ts |  0
 .../normalize_sort_request.test.ts            |  2 +-
 .../search_source/normalize_sort_request.ts   |  2 +-
 .../search_source/search_source.test.ts       | 11 +---
 .../search/search_source/search_source.ts     | 19 ++----
 .../data/public/search/search_source/types.ts |  5 +-
 .../default_search_strategy.test.ts           |  4 +-
 .../default_search_strategy.ts                | 11 +---
 .../get_search_params.test.ts                 |  2 +-
 .../search_strategy}/get_search_params.ts     |  2 +-
 .../public/search/search_strategy/index.ts    |  6 +-
 .../search_strategy/no_op_search_strategy.ts  |  0
 .../search/search_strategy/search_error.ts    |  0
 .../search_strategy_registry.test.ts          |  2 +-
 .../search_strategy_registry.ts               |  4 +-
 .../public/search/search_strategy/types.ts    |  4 +-
 src/plugins/data/public/ui/_index.scss        |  2 +
 src/plugins/data/public/ui/index.ts           | 11 +++-
 .../__mocks__/shard_failure_request.ts        |  4 +-
 .../__mocks__/shard_failure_response.ts       |  4 +-
 .../shard_failure_description.test.tsx.snap   |  0
 .../shard_failure_modal.test.tsx.snap         |  0
 .../shard_failure_table.test.tsx.snap         |  0
 .../_shard_failure_modal.scss                 |  0
 .../public/ui/shard_failure_modal}/index.ts   |  3 +-
 .../shard_failure_description.test.tsx        |  0
 .../shard_failure_description.tsx             |  2 +-
 .../shard_failure_description_header.tsx      |  0
 .../shard_failure_modal.test.tsx              |  0
 .../shard_failure_modal.tsx                   |  6 +-
 ...d_failure_open_modal_button.test.mocks.tsx |  3 +-
 .../shard_failure_open_modal_button.test.tsx  |  0
 .../shard_failure_open_modal_button.tsx       | 11 ++--
 .../shard_failure_table.test.tsx              |  0
 .../shard_failure_table.tsx                   |  0
 .../shard_failure_types.ts                    |  4 +-
 .../plugins/maps/public/kibana_services.js    |  4 +-
 .../plugins/rollup/public/search/register.js  |  2 +-
 .../public/search/rollup_search_strategy.js   |  2 +-
 97 files changed, 196 insertions(+), 450 deletions(-)
 rename src/{legacy => core}/utils/get_flattened_object.test.ts (100%)
 rename src/{legacy => core}/utils/get_flattened_object.ts (100%)
 delete mode 100644 src/legacy/core_plugins/data/public/search/search_service.ts
 delete mode 100644 src/legacy/ui/public/courier/_index.scss
 delete mode 100644 src/legacy/ui/public/courier/index.ts
 delete mode 100644 src/legacy/ui/public/courier/search_source/mocks.ts
 delete mode 100644 src/legacy/ui/public/courier/search_source/search_source.ts
 delete mode 100644 src/legacy/ui/public/courier/search_strategy/index.ts
 delete mode 100644 src/legacy/ui/public/courier/search_strategy/search_error.ts
 delete mode 100644 src/legacy/ui/public/courier/types.ts
 rename src/{legacy/core_plugins/data/public/search/search_strategy/is_default_type_index_pattern.ts => plugins/data/public/index_patterns/lib/is_default.ts} (85%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/call_client.test.ts (96%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/call_client.ts (98%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/errors.ts (88%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/fetch_soon.test.ts (97%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/fetch_soon.ts (98%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/handle_response.test.ts (90%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/handle_response.tsx (78%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/index.ts (87%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/fetch/types.ts (94%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/filter_docvalue_fields.test.ts (100%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/filter_docvalue_fields.ts (100%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/index.ts (91%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/mocks.ts (100%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/normalize_sort_request.test.ts (98%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/normalize_sort_request.ts (97%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/search_source.test.ts (94%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/search_source.ts (95%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_source/types.ts (94%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_strategy/default_search_strategy.test.ts (98%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_strategy/default_search_strategy.ts (92%)
 rename src/{legacy/core_plugins/data/public/search/fetch => plugins/data/public/search/search_strategy}/get_search_params.test.ts (98%)
 rename src/{legacy/core_plugins/data/public/search/fetch => plugins/data/public/search/search_strategy}/get_search_params.ts (97%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_strategy/index.ts (93%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_strategy/no_op_search_strategy.ts (100%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_strategy/search_error.ts (100%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_strategy/search_strategy_registry.test.ts (98%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_strategy/search_strategy_registry.ts (95%)
 rename src/{legacy/core_plugins => plugins}/data/public/search/search_strategy/types.ts (90%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/__mocks__/shard_failure_request.ts (92%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/__mocks__/shard_failure_response.ts (93%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/__snapshots__/shard_failure_description.test.tsx.snap (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/__snapshots__/shard_failure_modal.test.tsx.snap (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/__snapshots__/shard_failure_table.test.tsx.snap (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/_shard_failure_modal.scss (100%)
 rename src/{legacy/ui/public/courier/search_source => plugins/data/public/ui/shard_failure_modal}/index.ts (82%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_description.test.tsx (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_description.tsx (96%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_description_header.tsx (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_modal.test.tsx (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_modal.tsx (96%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_open_modal_button.test.mocks.tsx (87%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_open_modal_button.test.tsx (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_open_modal_button.tsx (84%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_table.test.tsx (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_table.tsx (100%)
 rename src/{legacy/core_plugins/data/public/search/fetch/components => plugins/data/public/ui/shard_failure_modal}/shard_failure_types.ts (94%)

diff --git a/src/core/server/legacy/config/get_unused_config_keys.ts b/src/core/server/legacy/config/get_unused_config_keys.ts
index e425082ba126d..20c9776f63c58 100644
--- a/src/core/server/legacy/config/get_unused_config_keys.ts
+++ b/src/core/server/legacy/config/get_unused_config_keys.ts
@@ -20,7 +20,8 @@
 import { difference, get, set } from 'lodash';
 // @ts-ignore
 import { getTransform } from '../../../../legacy/deprecation/index';
-import { unset, getFlattenedObject } from '../../../../legacy/utils';
+import { unset } from '../../../../legacy/utils';
+import { getFlattenedObject } from '../../../utils';
 import { hasConfigPathIntersection } from '../../config';
 import { LegacyPluginSpec, LegacyConfig, LegacyVars } from '../types';
 
diff --git a/src/legacy/utils/get_flattened_object.test.ts b/src/core/utils/get_flattened_object.test.ts
similarity index 100%
rename from src/legacy/utils/get_flattened_object.test.ts
rename to src/core/utils/get_flattened_object.test.ts
diff --git a/src/legacy/utils/get_flattened_object.ts b/src/core/utils/get_flattened_object.ts
similarity index 100%
rename from src/legacy/utils/get_flattened_object.ts
rename to src/core/utils/get_flattened_object.ts
diff --git a/src/core/utils/index.ts b/src/core/utils/index.ts
index 7317c222d3bc3..e35356343cfe2 100644
--- a/src/core/utils/index.ts
+++ b/src/core/utils/index.ts
@@ -28,4 +28,5 @@ export * from './pick';
 export * from './promise';
 export * from './url';
 export * from './unset';
+export * from './get_flattened_object';
 export * from './default_app_categories';
diff --git a/src/legacy/core_plugins/data/public/index.ts b/src/legacy/core_plugins/data/public/index.ts
index 4514d67ea5fcd..7fe487667f94e 100644
--- a/src/legacy/core_plugins/data/public/index.ts
+++ b/src/legacy/core_plugins/data/public/index.ts
@@ -28,8 +28,6 @@ export function plugin() {
 
 /** @public types */
 export { DataStart };
-export { EsQuerySortValue, FetchOptions, ISearchSource, SortDirection } from './search/types';
-export { SearchSourceFields } from './search/types';
 export {
   SavedQueryAttributes,
   SavedQuery,
diff --git a/src/legacy/core_plugins/data/public/plugin.ts b/src/legacy/core_plugins/data/public/plugin.ts
index 5329702348207..6bd85ef020f16 100644
--- a/src/legacy/core_plugins/data/public/plugin.ts
+++ b/src/legacy/core_plugins/data/public/plugin.ts
@@ -18,19 +18,20 @@
  */
 
 import { CoreSetup, CoreStart, Plugin } from 'kibana/public';
-import { SearchService, SearchStart } from './search';
-import { DataPublicPluginStart } from '../../../../plugins/data/public';
+import {
+  DataPublicPluginStart,
+  addSearchStrategy,
+  defaultSearchStrategy,
+} from '../../../../plugins/data/public';
 import { ExpressionsSetup } from '../../../../plugins/expressions/public';
 
 import {
-  setFieldFormats,
-  setNotifications,
   setIndexPatterns,
   setQueryService,
-  setSearchService,
   setUiSettings,
   setInjectedMetadata,
-  setHttp,
+  setFieldFormats,
+  setSearchService,
   // eslint-disable-next-line @kbn/eslint/no-restricted-paths
 } from '../../../../plugins/data/public/services';
 
@@ -47,9 +48,7 @@ export interface DataPluginStartDependencies {
  *
  * @public
  */
-export interface DataStart {
-  search: SearchStart;
-}
+export interface DataStart {} // eslint-disable-line @typescript-eslint/no-empty-interface
 
 /**
  * Data Plugin - public
@@ -65,29 +64,22 @@ export interface DataStart {
 
 export class DataPlugin
   implements Plugin<void, DataStart, DataPluginSetupDependencies, DataPluginStartDependencies> {
-  private readonly search = new SearchService();
-
   public setup(core: CoreSetup) {
     setInjectedMetadata(core.injectedMetadata);
+
+    // This is to be deprecated once we switch to the new search service fully
+    addSearchStrategy(defaultSearchStrategy);
   }
 
   public start(core: CoreStart, { data }: DataPluginStartDependencies): DataStart {
-    // This is required for when Angular code uses Field and FieldList.
-    setFieldFormats(data.fieldFormats);
+    setUiSettings(core.uiSettings);
     setQueryService(data.query);
-    setSearchService(data.search);
     setIndexPatterns(data.indexPatterns);
     setFieldFormats(data.fieldFormats);
-    setNotifications(core.notifications);
-    setUiSettings(core.uiSettings);
-    setHttp(core.http);
+    setSearchService(data.search);
 
-    return {
-      search: this.search.start(core),
-    };
+    return {};
   }
 
-  public stop() {
-    this.search.stop();
-  }
+  public stop() {}
 }
diff --git a/src/legacy/core_plugins/data/public/search/expressions/esaggs.ts b/src/legacy/core_plugins/data/public/search/expressions/esaggs.ts
index 889c747c9a62e..143283152d104 100644
--- a/src/legacy/core_plugins/data/public/search/expressions/esaggs.ts
+++ b/src/legacy/core_plugins/data/public/search/expressions/esaggs.ts
@@ -28,6 +28,8 @@ import {
   KibanaDatatableColumn,
 } from 'src/plugins/expressions/public';
 import {
+  ISearchSource,
+  SearchSource,
   Query,
   TimeRange,
   esFilters,
@@ -43,8 +45,7 @@ import { PersistedState } from '../../../../../ui/public/persisted_state';
 import { Adapters } from '../../../../../../plugins/inspector/public';
 // eslint-disable-next-line @kbn/eslint/no-restricted-paths
 import { getQueryService, getIndexPatterns } from '../../../../../../plugins/data/public/services';
-import { ISearchSource, getRequestInspectorStats, getResponseInspectorStats } from '../..';
-import { SearchSource } from '../search_source';
+import { getRequestInspectorStats, getResponseInspectorStats } from '../..';
 
 export interface RequestHandlerParams {
   searchSource: ISearchSource;
diff --git a/src/legacy/core_plugins/data/public/search/index.ts b/src/legacy/core_plugins/data/public/search/index.ts
index d930a47219514..e1c93ec0e3b1c 100644
--- a/src/legacy/core_plugins/data/public/search/index.ts
+++ b/src/legacy/core_plugins/data/public/search/index.ts
@@ -17,6 +17,4 @@
  * under the License.
  */
 
-export { SearchService, SearchSetup, SearchStart } from './search_service';
-
 export { getRequestInspectorStats, getResponseInspectorStats } from './utils';
diff --git a/src/legacy/core_plugins/data/public/search/search_service.ts b/src/legacy/core_plugins/data/public/search/search_service.ts
deleted file mode 100644
index 77203da9ce585..0000000000000
--- a/src/legacy/core_plugins/data/public/search/search_service.ts
+++ /dev/null
@@ -1,53 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-import { Plugin, CoreSetup, CoreStart } from '../../../../../core/public';
-import { SearchSource } from './search_source';
-import { defaultSearchStrategy, addSearchStrategy } from './search_strategy';
-import { SearchStrategyProvider } from './search_strategy/types';
-
-export interface SearchSetup {} // eslint-disable-line @typescript-eslint/no-empty-interface
-
-export interface SearchStart {
-  defaultSearchStrategy: SearchStrategyProvider;
-  SearchSource: typeof SearchSource;
-}
-
-/**
- * The contract provided here is a new platform shim for ui/courier.
- *
- * Once it has been refactored to work with new platform services,
- * it will move into the existing search service in src/plugins/data/public/search
- */
-export class SearchService implements Plugin<SearchSetup, SearchStart> {
-  public setup(core: CoreSetup): SearchSetup {
-    return {};
-  }
-
-  public start(core: CoreStart): SearchStart {
-    addSearchStrategy(defaultSearchStrategy);
-
-    return {
-      defaultSearchStrategy,
-      SearchSource,
-    };
-  }
-
-  public stop() {}
-}
diff --git a/src/legacy/core_plugins/data/public/search/types.ts b/src/legacy/core_plugins/data/public/search/types.ts
index 23d74ce6a57da..140ceea487099 100644
--- a/src/legacy/core_plugins/data/public/search/types.ts
+++ b/src/legacy/core_plugins/data/public/search/types.ts
@@ -17,7 +17,4 @@
  * under the License.
  */
 
-export * from './fetch/types';
-export * from './search_source/types';
-export * from './search_strategy/types';
 export * from './utils/types';
diff --git a/src/legacy/core_plugins/data/public/search/utils/courier_inspector_utils.ts b/src/legacy/core_plugins/data/public/search/utils/courier_inspector_utils.ts
index 7f7d216d8f0f3..62b7c572032c8 100644
--- a/src/legacy/core_plugins/data/public/search/utils/courier_inspector_utils.ts
+++ b/src/legacy/core_plugins/data/public/search/utils/courier_inspector_utils.ts
@@ -26,7 +26,8 @@
 
 import { i18n } from '@kbn/i18n';
 import { SearchResponse } from 'elasticsearch';
-import { ISearchSource, RequestInspectorStats } from '../types';
+import { RequestInspectorStats } from '../types';
+import { ISearchSource } from '../../../../../../plugins/data/public';
 
 export function getRequestInspectorStats(searchSource: ISearchSource) {
   const stats: RequestInspectorStats = {};
diff --git a/src/legacy/core_plugins/input_control_vis/public/legacy_imports.ts b/src/legacy/core_plugins/input_control_vis/public/legacy_imports.ts
index 176fe68fe4788..9270cff84cc07 100644
--- a/src/legacy/core_plugins/input_control_vis/public/legacy_imports.ts
+++ b/src/legacy/core_plugins/input_control_vis/public/legacy_imports.ts
@@ -17,13 +17,14 @@
  * under the License.
  */
 
-import { SearchSource as SearchSourceClass, ISearchSource } from 'ui/courier';
 import { Class } from '@kbn/utility-types';
+import { SearchSource as SearchSourceClass, ISearchSource } from '../../../../plugins/data/public';
+
+export { SearchSourceFields } from '../../../../plugins/data/public';
 
 export { Vis, VisParams } from 'ui/vis';
 export { VisOptionsProps } from 'ui/vis/editors/default';
 export { ValidatedDualRange } from 'ui/validated_range';
-export { SearchSourceFields } from '../../data/public';
 
 export type SearchSource = Class<ISearchSource>;
 export const SearchSource = SearchSourceClass;
diff --git a/src/legacy/core_plugins/kibana/public/dashboard/__tests__/get_saved_dashboard_mock.ts b/src/legacy/core_plugins/kibana/public/dashboard/__tests__/get_saved_dashboard_mock.ts
index 1c2405b5824f2..baf5bad510ce1 100644
--- a/src/legacy/core_plugins/kibana/public/dashboard/__tests__/get_saved_dashboard_mock.ts
+++ b/src/legacy/core_plugins/kibana/public/dashboard/__tests__/get_saved_dashboard_mock.ts
@@ -17,7 +17,8 @@
  * under the License.
  */
 
-import { searchSourceMock } from 'ui/courier/search_source/mocks';
+// eslint-disable-next-line @kbn/eslint/no-restricted-paths
+import { searchSourceMock } from '../../../../../../plugins/data/public/search/search_source/mocks';
 import { SavedObjectDashboard } from '../saved_dashboard/saved_dashboard';
 
 export function getSavedDashboardMock(
diff --git a/src/legacy/core_plugins/kibana/public/dashboard/saved_dashboard/saved_dashboard.ts b/src/legacy/core_plugins/kibana/public/dashboard/saved_dashboard/saved_dashboard.ts
index 18e15b215523e..08a6f067d2026 100644
--- a/src/legacy/core_plugins/kibana/public/dashboard/saved_dashboard/saved_dashboard.ts
+++ b/src/legacy/core_plugins/kibana/public/dashboard/saved_dashboard/saved_dashboard.ts
@@ -16,12 +16,16 @@
  * specific language governing permissions and limitations
  * under the License.
  */
-import { ISearchSource } from 'ui/courier';
 import { SavedObject, SavedObjectKibanaServices } from 'ui/saved_objects/types';
 import { createSavedObjectClass } from 'ui/saved_objects/saved_object';
 import { extractReferences, injectReferences } from './saved_dashboard_references';
 
-import { esFilters, Query, RefreshInterval } from '../../../../../../plugins/data/public';
+import {
+  esFilters,
+  ISearchSource,
+  Query,
+  RefreshInterval,
+} from '../../../../../../plugins/data/public';
 import { createDashboardEditUrl } from '..';
 
 export interface SavedObjectDashboard extends SavedObject {
diff --git a/src/legacy/core_plugins/kibana/public/discover/kibana_services.ts b/src/legacy/core_plugins/kibana/public/discover/kibana_services.ts
index a870f6074f506..27aa920c98aad 100644
--- a/src/legacy/core_plugins/kibana/public/discover/kibana_services.ts
+++ b/src/legacy/core_plugins/kibana/public/discover/kibana_services.ts
@@ -57,16 +57,7 @@ export { wrapInI18nContext } from 'ui/i18n';
 export { buildVislibDimensions } from '../../../visualizations/public';
 // @ts-ignore
 export { callAfterBindingsWorkaround } from 'ui/compat';
-export {
-  getRequestInspectorStats,
-  getResponseInspectorStats,
-  hasSearchStategyForIndexPattern,
-  isDefaultTypeIndexPattern,
-  SearchSource,
-  EsQuerySortValue,
-  SortDirection,
-  ISearchSource,
-} from 'ui/courier';
+export { getRequestInspectorStats, getResponseInspectorStats } from '../../../data/public';
 // @ts-ignore
 export { intervalOptions } from 'ui/agg_types/buckets/_interval_options';
 // @ts-ignore
@@ -93,7 +84,12 @@ export {
   IIndexPattern,
   IndexPattern,
   indexPatterns,
+  hasSearchStategyForIndexPattern,
   IFieldType,
+  SearchSource,
+  ISearchSource,
+  EsQuerySortValue,
+  SortDirection,
 } from '../../../../../plugins/data/public';
 export { ElasticSearchHit } from './np_ready/doc_views/doc_views_types';
 export { Adapters } from 'ui/inspector/types';
diff --git a/src/legacy/core_plugins/kibana/public/discover/np_ready/angular/discover.js b/src/legacy/core_plugins/kibana/public/discover/np_ready/angular/discover.js
index 2383e58a7201b..dd782f97b075d 100644
--- a/src/legacy/core_plugins/kibana/public/discover/np_ready/angular/discover.js
+++ b/src/legacy/core_plugins/kibana/public/discover/np_ready/angular/discover.js
@@ -45,7 +45,6 @@ import {
   getServices,
   hasSearchStategyForIndexPattern,
   intervalOptions,
-  isDefaultTypeIndexPattern,
   migrateLegacyQuery,
   RequestAdapter,
   showSaveModal,
@@ -73,7 +72,10 @@ const {
 } = getServices();
 
 import { getRootBreadcrumbs, getSavedSearchBreadcrumbs } from '../helpers/breadcrumbs';
-import { generateFilters } from '../../../../../../../plugins/data/public';
+import {
+  generateFilters,
+  indexPatterns as indexPatternsUtils,
+} from '../../../../../../../plugins/data/public';
 import { getIndexPatternId } from '../helpers/get_index_pattern_id';
 import { FilterStateManager } from '../../../../../data/public';
 
@@ -400,7 +402,8 @@ function discoverController(
 
   // searchSource which applies time range
   const timeRangeSearchSource = savedSearch.searchSource.create();
-  if (isDefaultTypeIndexPattern($scope.indexPattern)) {
+
+  if (indexPatternsUtils.isDefault($scope.indexPattern)) {
     timeRangeSearchSource.setField('filter', () => {
       return timefilter.createFilter($scope.indexPattern);
     });
@@ -561,7 +564,8 @@ function discoverController(
   $scope.opts = {
     // number of records to fetch, then paginate through
     sampleSize: config.get('discover:sampleSize'),
-    timefield: isDefaultTypeIndexPattern($scope.indexPattern) && $scope.indexPattern.timeFieldName,
+    timefield:
+      indexPatternsUtils.isDefault($scope.indexPattern) && $scope.indexPattern.timeFieldName,
     savedSearch: savedSearch,
     indexPatternList: $route.current.locals.savedObjects.ip.list,
   };
@@ -1162,7 +1166,7 @@ function discoverController(
   // Block the UI from loading if the user has loaded a rollup index pattern but it isn't
   // supported.
   $scope.isUnsupportedIndexPattern =
-    !isDefaultTypeIndexPattern($route.current.locals.savedObjects.ip.loaded) &&
+    !indexPatternsUtils.isDefault($route.current.locals.savedObjects.ip.loaded) &&
     !hasSearchStategyForIndexPattern($route.current.locals.savedObjects.ip.loaded);
 
   if ($scope.isUnsupportedIndexPattern) {
diff --git a/src/legacy/core_plugins/visualizations/public/embeddable/visualize_embeddable.ts b/src/legacy/core_plugins/visualizations/public/embeddable/visualize_embeddable.ts
index c1b049ab5e969..557035b91367e 100644
--- a/src/legacy/core_plugins/visualizations/public/embeddable/visualize_embeddable.ts
+++ b/src/legacy/core_plugins/visualizations/public/embeddable/visualize_embeddable.ts
@@ -29,7 +29,6 @@ import { getTableAggs } from 'ui/visualize/loader/pipeline_helpers/utilities';
 import { AppState } from 'ui/state_management/app_state';
 import { npStart } from 'ui/new_platform';
 import { IExpressionLoaderParams } from 'src/plugins/expressions/public';
-import { ISearchSource } from 'ui/courier';
 import { VISUALIZE_EMBEDDABLE_TYPE } from './constants';
 import {
   IIndexPattern,
@@ -38,6 +37,7 @@ import {
   onlyDisabledFiltersChanged,
   esFilters,
   mapAndFlattenFilters,
+  ISearchSource,
 } from '../../../../../plugins/data/public';
 import {
   EmbeddableInput,
diff --git a/src/legacy/core_plugins/visualizations/public/legacy_mocks.ts b/src/legacy/core_plugins/visualizations/public/legacy_mocks.ts
index e6ca678db563d..6cd57bb88bc26 100644
--- a/src/legacy/core_plugins/visualizations/public/legacy_mocks.ts
+++ b/src/legacy/core_plugins/visualizations/public/legacy_mocks.ts
@@ -17,4 +17,5 @@
  * under the License.
  */
 
-export { searchSourceMock } from '../../../ui/public/courier/search_source/mocks';
+// eslint-disable-next-line @kbn/eslint/no-restricted-paths
+export { searchSourceMock } from '../../../../plugins/data/public/search/search_source/mocks';
diff --git a/src/legacy/core_plugins/visualizations/public/np_ready/public/components/visualization_requesterror.tsx b/src/legacy/core_plugins/visualizations/public/np_ready/public/components/visualization_requesterror.tsx
index 1af9aa3c3e602..406f24741c911 100644
--- a/src/legacy/core_plugins/visualizations/public/np_ready/public/components/visualization_requesterror.tsx
+++ b/src/legacy/core_plugins/visualizations/public/np_ready/public/components/visualization_requesterror.tsx
@@ -19,7 +19,7 @@
 
 import { EuiIcon, EuiSpacer, EuiText } from '@elastic/eui';
 import React from 'react';
-import { SearchError } from '../../../../../data/public/search/search_strategy';
+import { SearchError } from '../../../../../../../plugins/data/public';
 
 interface VisualizationRequestErrorProps {
   onInit?: () => void;
diff --git a/src/legacy/core_plugins/visualizations/public/np_ready/public/legacy/build_pipeline.ts b/src/legacy/core_plugins/visualizations/public/np_ready/public/legacy/build_pipeline.ts
index a3bf98b5e74a3..6749a44b4d5b3 100644
--- a/src/legacy/core_plugins/visualizations/public/np_ready/public/legacy/build_pipeline.ts
+++ b/src/legacy/core_plugins/visualizations/public/np_ready/public/legacy/build_pipeline.ts
@@ -21,14 +21,13 @@ import { cloneDeep, get } from 'lodash';
 // @ts-ignore
 import moment from 'moment';
 import { SerializedFieldFormat } from 'src/plugins/expressions/public';
+import { ISearchSource } from 'src/plugins/data/public';
 import {
   AggConfig,
   setBounds,
   isDateHistogramBucketAggConfig,
   createFormat,
 } from '../../../legacy_imports';
-// eslint-disable-next-line
-import { ISearchSource } from '../../../../../../ui/public/courier/search_source/search_source';
 import { Vis, VisParams, VisState } from '..';
 
 interface SchemaConfigParams {
diff --git a/src/legacy/server/config/override.js b/src/legacy/server/config/override.js
index 934b2165dddcf..bab9387ac006f 100644
--- a/src/legacy/server/config/override.js
+++ b/src/legacy/server/config/override.js
@@ -19,7 +19,7 @@
 
 import _ from 'lodash';
 import explodeBy from './explode_by';
-import { getFlattenedObject } from '../../utils';
+import { getFlattenedObject } from '../../../core/utils';
 
 export default function(target, source) {
   const _target = getFlattenedObject(target);
diff --git a/src/legacy/ui/public/_index.scss b/src/legacy/ui/public/_index.scss
index f5a1d0a7922a7..e4e58019dda69 100644
--- a/src/legacy/ui/public/_index.scss
+++ b/src/legacy/ui/public/_index.scss
@@ -10,7 +10,6 @@
 
 @import './accessibility/index';
 @import './chrome/index';
-@import './courier/index';
 @import './collapsible_sidebar/index';
 @import './directives/index';
 @import './error_auto_create_index/index';
diff --git a/src/legacy/ui/public/agg_types/agg_config.ts b/src/legacy/ui/public/agg_types/agg_config.ts
index 0edf782318862..c8ce8638fe462 100644
--- a/src/legacy/ui/public/agg_types/agg_config.ts
+++ b/src/legacy/ui/public/agg_types/agg_config.ts
@@ -27,13 +27,17 @@
 import _ from 'lodash';
 import { i18n } from '@kbn/i18n';
 import { npStart } from 'ui/new_platform';
-import { ISearchSource, FetchOptions } from '../courier/types';
 import { AggType } from './agg_type';
 import { AggGroupNames } from '../vis/editors/default/agg_groups';
 import { writeParams } from './agg_params';
 import { AggConfigs } from './agg_configs';
 import { Schema } from '../vis/editors/default/schemas';
-import { ContentType, KBN_FIELD_TYPES } from '../../../../plugins/data/public';
+import {
+  ISearchSource,
+  ContentType,
+  KBN_FIELD_TYPES,
+  FetchOptions,
+} from '../../../../plugins/data/public';
 
 export interface AggConfigOptions {
   enabled: boolean;
diff --git a/src/legacy/ui/public/agg_types/agg_configs.ts b/src/legacy/ui/public/agg_types/agg_configs.ts
index bd2f261c0bf1d..0320cbd43fca7 100644
--- a/src/legacy/ui/public/agg_types/agg_configs.ts
+++ b/src/legacy/ui/public/agg_types/agg_configs.ts
@@ -31,8 +31,7 @@ import { TimeRange } from 'src/plugins/data/public';
 import { Schema } from '../vis/editors/default/schemas';
 import { AggConfig, AggConfigOptions } from './agg_config';
 import { AggGroupNames } from '../vis/editors/default/agg_groups';
-import { IndexPattern } from '../../../../plugins/data/public';
-import { ISearchSource, FetchOptions } from '../courier/types';
+import { IndexPattern, ISearchSource, FetchOptions } from '../../../../plugins/data/public';
 
 type Schemas = Record<string, any>;
 
diff --git a/src/legacy/ui/public/agg_types/agg_type.ts b/src/legacy/ui/public/agg_types/agg_type.ts
index 39be1983223bc..952410ae0db49 100644
--- a/src/legacy/ui/public/agg_types/agg_type.ts
+++ b/src/legacy/ui/public/agg_types/agg_type.ts
@@ -24,11 +24,10 @@ import { initParams } from './agg_params';
 
 import { AggConfig } from '../vis';
 import { AggConfigs } from './agg_configs';
-import { ISearchSource } from '../courier';
 import { Adapters } from '../inspector';
 import { BaseParamType } from './param_types/base';
 import { AggParamType } from '../agg_types/param_types/agg';
-import { KBN_FIELD_TYPES, FieldFormat } from '../../../../plugins/data/public';
+import { KBN_FIELD_TYPES, FieldFormat, ISearchSource } from '../../../../plugins/data/public';
 
 export interface AggTypeConfig<
   TAggConfig extends AggConfig = AggConfig,
diff --git a/src/legacy/ui/public/agg_types/buckets/terms.ts b/src/legacy/ui/public/agg_types/buckets/terms.ts
index c805e53eb2b91..fe2c7cb427fee 100644
--- a/src/legacy/ui/public/agg_types/buckets/terms.ts
+++ b/src/legacy/ui/public/agg_types/buckets/terms.ts
@@ -19,7 +19,10 @@
 
 import { noop } from 'lodash';
 import { i18n } from '@kbn/i18n';
-import { ISearchSource, getRequestInspectorStats, getResponseInspectorStats } from '../../courier';
+import {
+  getRequestInspectorStats,
+  getResponseInspectorStats,
+} from '../../../../core_plugins/data/public';
 import { BucketAggType } from './_bucket_agg_type';
 import { BUCKET_TYPES } from './bucket_agg_types';
 import { IBucketAggConfig } from './_bucket_agg_type';
@@ -35,7 +38,12 @@ import { OtherBucketParamEditor } from '../../vis/editors/default/controls/other
 import { AggConfigs } from '../agg_configs';
 
 import { Adapters } from '../../../../../plugins/inspector/public';
-import { ContentType, FieldFormat, KBN_FIELD_TYPES } from '../../../../../plugins/data/public';
+import {
+  ContentType,
+  ISearchSource,
+  FieldFormat,
+  KBN_FIELD_TYPES,
+} from '../../../../../plugins/data/public';
 
 // @ts-ignore
 import { Schemas } from '../../vis/editors/default/schemas';
diff --git a/src/legacy/ui/public/agg_types/param_types/base.ts b/src/legacy/ui/public/agg_types/param_types/base.ts
index f466a9512edf9..35748c02dd903 100644
--- a/src/legacy/ui/public/agg_types/param_types/base.ts
+++ b/src/legacy/ui/public/agg_types/param_types/base.ts
@@ -19,7 +19,7 @@
 
 import { AggConfigs } from '../agg_configs';
 import { AggConfig } from '../../vis';
-import { ISearchSource, FetchOptions } from '../../courier/types';
+import { FetchOptions, ISearchSource } from '../../../../../plugins/data/public';
 
 export class BaseParamType<TAggConfig extends AggConfig = AggConfig> {
   name: string;
diff --git a/src/legacy/ui/public/courier/_index.scss b/src/legacy/ui/public/courier/_index.scss
deleted file mode 100644
index 17382cfa30ce5..0000000000000
--- a/src/legacy/ui/public/courier/_index.scss
+++ /dev/null
@@ -1 +0,0 @@
-@import '../../../core_plugins/data/public/search/fetch/components/shard_failure_modal';
\ No newline at end of file
diff --git a/src/legacy/ui/public/courier/index.ts b/src/legacy/ui/public/courier/index.ts
deleted file mode 100644
index 709ff1c11e901..0000000000000
--- a/src/legacy/ui/public/courier/index.ts
+++ /dev/null
@@ -1,62 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-/**
- * Nothing to see here!
- *
- * Courier / SearchSource has moved to the data plugin, and is being
- * re-exported from ui/courier for backwards compatibility.
- */
-
-import { start as dataStart } from '../../../core_plugins/data/public/legacy';
-
-// runtime contracts
-export const { defaultSearchStrategy, SearchSource } = dataStart.search;
-
-// types
-export {
-  ISearchSource,
-  EsQuerySortValue, // used externally by Discover
-  FetchOptions, // used externally by AggTypes
-  SortDirection, // used externally by Discover
-} from '../../../core_plugins/data/public';
-
-// static code
-export {
-  getRequestInspectorStats,
-  getResponseInspectorStats,
-} from '../../../core_plugins/data/public';
-
-// TODO: Exporting this mock outside of jest tests causes errors because
-// jest is undefined. Need to refactor the mock to be consistent with
-// other NP-style mocks.
-// export { searchSourceMock } from './search_source/mocks';
-
-// Most these can probably be made internal to the search
-// service, so we are temporarily deeply importing them
-// until we relocate them to a longer-term home.
-/* eslint-disable @kbn/eslint/no-restricted-paths */
-export {
-  addSearchStrategy, // used externally by Rollups
-  getSearchErrorType, // used externally by Rollups
-  hasSearchStategyForIndexPattern, // used externally by Discover
-  isDefaultTypeIndexPattern, // used externally by Discover
-  SearchError, // used externally by Visualizations & Rollups
-} from '../../../core_plugins/data/public/search/search_strategy';
-/* eslint-enable @kbn/eslint/no-restricted-paths */
diff --git a/src/legacy/ui/public/courier/search_source/mocks.ts b/src/legacy/ui/public/courier/search_source/mocks.ts
deleted file mode 100644
index 7b7843d22f519..0000000000000
--- a/src/legacy/ui/public/courier/search_source/mocks.ts
+++ /dev/null
@@ -1,61 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"), you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-// This mock is here for BWC, but will be left behind and replaced by
-// the data service mock in the new platform.
-import { ISearchSource } from '../index';
-
-export const searchSourceMock: MockedKeys<ISearchSource> = {
-  setPreferredSearchStrategyId: jest.fn(),
-  setFields: jest.fn().mockReturnThis(),
-  setField: jest.fn().mockReturnThis(),
-  getId: jest.fn(),
-  getFields: jest.fn(),
-  getField: jest.fn(),
-  getOwnField: jest.fn(),
-  create: jest.fn().mockReturnThis(),
-  createCopy: jest.fn().mockReturnThis(),
-  createChild: jest.fn().mockReturnThis(),
-  setParent: jest.fn(),
-  getParent: jest.fn().mockReturnThis(),
-  fetch: jest.fn().mockResolvedValue({}),
-  onRequestStart: jest.fn(),
-  getSearchRequestBody: jest.fn(),
-  destroy: jest.fn(),
-  history: [],
-};
diff --git a/src/legacy/ui/public/courier/search_source/search_source.ts b/src/legacy/ui/public/courier/search_source/search_source.ts
deleted file mode 100644
index e7ca48a894b3d..0000000000000
--- a/src/legacy/ui/public/courier/search_source/search_source.ts
+++ /dev/null
@@ -1,20 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-export { SearchSource, ISearchSource } from '../index';
diff --git a/src/legacy/ui/public/courier/search_strategy/index.ts b/src/legacy/ui/public/courier/search_strategy/index.ts
deleted file mode 100644
index 1dce0316596d0..0000000000000
--- a/src/legacy/ui/public/courier/search_strategy/index.ts
+++ /dev/null
@@ -1,25 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-export {
-  addSearchStrategy,
-  hasSearchStategyForIndexPattern,
-  isDefaultTypeIndexPattern,
-  SearchError,
-} from '../index';
diff --git a/src/legacy/ui/public/courier/search_strategy/search_error.ts b/src/legacy/ui/public/courier/search_strategy/search_error.ts
deleted file mode 100644
index a815ac4ff008f..0000000000000
--- a/src/legacy/ui/public/courier/search_strategy/search_error.ts
+++ /dev/null
@@ -1,20 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-export { SearchError } from '../index';
diff --git a/src/legacy/ui/public/courier/types.ts b/src/legacy/ui/public/courier/types.ts
deleted file mode 100644
index 75035ceef321f..0000000000000
--- a/src/legacy/ui/public/courier/types.ts
+++ /dev/null
@@ -1,25 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-export {
-  ISearchSource,
-  EsQuerySortValue, // used externally by Discover
-  FetchOptions, // used externally by AggTypes
-  SortDirection, // used externally by Discover
-} from './index';
diff --git a/src/legacy/ui/public/private/private.js b/src/legacy/ui/public/private/private.js
index 64c667bf9ce95..05bd55f4e1bdf 100644
--- a/src/legacy/ui/public/private/private.js
+++ b/src/legacy/ui/public/private/private.js
@@ -86,10 +86,6 @@ import { uiModules } from '../modules';
  * ```js
  * beforeEach(module('kibana', function (PrivateProvider) {
  *   PrivateProvider.swap(
- *     // since the courier is required automatically before the tests are loaded,
- *     // we can't stub it's internal components unless we do so before the
- *     // application starts. This is why angular has config functions
- *     require('ui/courier/_redirect_when_missing'),
  *     function StubbedRedirectProvider($decorate) {
  *       // $decorate is a function that will instantiate the original module when called
  *       return sinon.spy($decorate());
diff --git a/src/legacy/ui/public/saved_objects/helpers/build_saved_object.ts b/src/legacy/ui/public/saved_objects/helpers/build_saved_object.ts
index a436f70f31ffe..7cd9a151a443d 100644
--- a/src/legacy/ui/public/saved_objects/helpers/build_saved_object.ts
+++ b/src/legacy/ui/public/saved_objects/helpers/build_saved_object.ts
@@ -17,7 +17,7 @@
  * under the License.
  */
 import _ from 'lodash';
-import { SearchSource } from 'ui/courier';
+import { SearchSource } from '../../../../../plugins/data/public';
 import { hydrateIndexPattern } from './hydrate_index_pattern';
 import { intializeSavedObject } from './initialize_saved_object';
 import { serializeSavedObject } from './serialize_saved_object';
diff --git a/src/legacy/ui/public/saved_objects/types.ts b/src/legacy/ui/public/saved_objects/types.ts
index 2578c2015e819..e44c323aebb87 100644
--- a/src/legacy/ui/public/saved_objects/types.ts
+++ b/src/legacy/ui/public/saved_objects/types.ts
@@ -24,8 +24,11 @@ import {
   SavedObjectAttributes,
   SavedObjectReference,
 } from 'kibana/public';
-import { ISearchSource } from 'ui/courier';
-import { IIndexPattern, IndexPatternsContract } from '../../../../plugins/data/public';
+import {
+  IIndexPattern,
+  IndexPatternsContract,
+  ISearchSource,
+} from '../../../../plugins/data/public';
 
 export interface SavedObject {
   _serialize: () => { attributes: SavedObjectAttributes; references: SavedObjectReference[] };
diff --git a/src/legacy/ui/public/visualize/loader/utils/query_geohash_bounds.ts b/src/legacy/ui/public/visualize/loader/utils/query_geohash_bounds.ts
index 5054c34118f78..0ae8771dd9469 100644
--- a/src/legacy/ui/public/visualize/loader/utils/query_geohash_bounds.ts
+++ b/src/legacy/ui/public/visualize/loader/utils/query_geohash_bounds.ts
@@ -24,8 +24,12 @@ import { toastNotifications } from 'ui/notify';
 import { AggConfig } from 'ui/vis';
 import { timefilter } from 'ui/timefilter';
 import { Vis } from '../../../vis';
-import { SearchSource, ISearchSource } from '../../../courier';
-import { esFilters, Query } from '../../../../../../plugins/data/public';
+import {
+  esFilters,
+  Query,
+  SearchSource,
+  ISearchSource,
+} from '../../../../../../plugins/data/public';
 
 interface QueryGeohashBoundsParams {
   filters?: esFilters.Filter[];
diff --git a/src/legacy/utils/index.d.ts b/src/legacy/utils/index.d.ts
index 8718ffc113e10..7ac9feab09cbe 100644
--- a/src/legacy/utils/index.d.ts
+++ b/src/legacy/utils/index.d.ts
@@ -21,6 +21,4 @@ export function parseCommaSeparatedList(input: string | string[]): string[];
 
 export function formatListAsProse(list: string[], options?: { inclusive?: boolean }): string;
 
-export function getFlattenedObject(rootValue: Record<string, any>): { [key: string]: any };
-
 export function unset(object: object, rawPath: string): void;
diff --git a/src/legacy/utils/index.js b/src/legacy/utils/index.js
index e2323f2ed62ee..cb890f1094b04 100644
--- a/src/legacy/utils/index.js
+++ b/src/legacy/utils/index.js
@@ -22,7 +22,6 @@ export { BinderFor } from './binder_for';
 export { deepCloneWithBuffers } from './deep_clone_with_buffers';
 export { unset } from './unset';
 export { encodeQueryComponent } from './encode_query_component';
-export { getFlattenedObject } from './get_flattened_object';
 export { watchStdioForLine } from './watch_stdio_for_line';
 export { IS_KIBANA_DISTRIBUTABLE } from './artifact_type';
 export { IS_KIBANA_RELEASE } from './artifact_type';
diff --git a/src/plugins/data/public/index_patterns/index.ts b/src/plugins/data/public/index_patterns/index.ts
index 6f4821c391721..7444126ee6cae 100644
--- a/src/plugins/data/public/index_patterns/index.ts
+++ b/src/plugins/data/public/index_patterns/index.ts
@@ -25,6 +25,7 @@ import {
   IndexPatternMissingIndices,
   validateIndexPattern,
   getFromSavedObject,
+  isDefault,
 } from './lib';
 import { getRoutes } from './utils';
 import { flattenHitWrapper, formatHitProvider } from './index_patterns';
@@ -40,6 +41,7 @@ export const indexPatterns = {
   getFromSavedObject,
   flattenHitWrapper,
   formatHitProvider,
+  isDefault,
 };
 
 export { Field, FieldList, IFieldList } from './fields';
diff --git a/src/plugins/data/public/index_patterns/lib/index.ts b/src/plugins/data/public/index_patterns/lib/index.ts
index c878eb9115427..2893096c4af9d 100644
--- a/src/plugins/data/public/index_patterns/lib/index.ts
+++ b/src/plugins/data/public/index_patterns/lib/index.ts
@@ -22,3 +22,4 @@ export * from './types';
 export { validateIndexPattern } from './validate_index_pattern';
 export { IndexPatternMissingIndices } from './errors';
 export { getFromSavedObject } from './get_from_saved_object';
+export { isDefault } from './is_default';
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/is_default_type_index_pattern.ts b/src/plugins/data/public/index_patterns/lib/is_default.ts
similarity index 85%
rename from src/legacy/core_plugins/data/public/search/search_strategy/is_default_type_index_pattern.ts
rename to src/plugins/data/public/index_patterns/lib/is_default.ts
index 7d03b1dc9e0b1..f6aec82af89d5 100644
--- a/src/legacy/core_plugins/data/public/search/search_strategy/is_default_type_index_pattern.ts
+++ b/src/plugins/data/public/index_patterns/lib/is_default.ts
@@ -17,9 +17,9 @@
  * under the License.
  */
 
-import { IndexPattern } from '../../../../../../plugins/data/public';
+import { IIndexPattern } from '../..';
 
-export const isDefaultTypeIndexPattern = (indexPattern: IndexPattern) => {
+export const isDefault = (indexPattern: IIndexPattern) => {
   // Default index patterns don't have `type` defined.
   return !indexPattern.type;
 };
diff --git a/src/plugins/data/public/plugin.ts b/src/plugins/data/public/plugin.ts
index 2077e899d1a01..34d858b28c871 100644
--- a/src/plugins/data/public/plugin.ts
+++ b/src/plugins/data/public/plugin.ts
@@ -42,7 +42,7 @@ import {
   setFieldFormats,
   setOverlays,
   setIndexPatterns,
-  setHttp,
+  setUiSettings,
 } from './services';
 import { createFilterAction, GLOBAL_APPLY_FILTER_ACTION } from './actions';
 import { APPLY_FILTER_TRIGGER } from '../../embeddable/public';
@@ -88,7 +88,7 @@ export class DataPublicPlugin implements Plugin<DataPublicPluginSetup, DataPubli
     setNotifications(notifications);
     setFieldFormats(fieldFormats);
     setOverlays(overlays);
-    setHttp(core.http);
+    setUiSettings(core.uiSettings);
 
     const indexPatternsService = new IndexPatterns(uiSettings, savedObjects.client, http);
     setIndexPatterns(indexPatternsService);
diff --git a/src/plugins/data/public/search/es_client/index.ts b/src/plugins/data/public/search/es_client/index.ts
index 78ac83af642d8..b1e0ce3116824 100644
--- a/src/plugins/data/public/search/es_client/index.ts
+++ b/src/plugins/data/public/search/es_client/index.ts
@@ -18,4 +18,4 @@
  */
 
 export { getEsClient } from './get_es_client';
-export { LegacyApiCaller } from './types';
+export { SearchRequest, SearchResponse, LegacyApiCaller } from './types';
diff --git a/src/legacy/core_plugins/data/public/search/fetch/call_client.test.ts b/src/plugins/data/public/search/fetch/call_client.test.ts
similarity index 96%
rename from src/legacy/core_plugins/data/public/search/fetch/call_client.test.ts
rename to src/plugins/data/public/search/fetch/call_client.test.ts
index 24a36c9db9df7..6b43157aab83b 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/call_client.test.ts
+++ b/src/plugins/data/public/search/fetch/call_client.test.ts
@@ -19,7 +19,9 @@
 
 import { callClient } from './call_client';
 import { handleResponse } from './handle_response';
-import { FetchHandlers, SearchRequest, SearchStrategySearchParams } from '../types';
+import { FetchHandlers } from './types';
+import { SearchRequest } from '../..';
+import { SearchStrategySearchParams } from '../search_strategy';
 
 const mockResponses = [{}, {}];
 const mockAbortFns = [jest.fn(), jest.fn()];
diff --git a/src/legacy/core_plugins/data/public/search/fetch/call_client.ts b/src/plugins/data/public/search/fetch/call_client.ts
similarity index 98%
rename from src/legacy/core_plugins/data/public/search/fetch/call_client.ts
rename to src/plugins/data/public/search/fetch/call_client.ts
index ad18775d5f144..6cc58b05ea183 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/call_client.ts
+++ b/src/plugins/data/public/search/fetch/call_client.ts
@@ -18,10 +18,10 @@
  */
 
 import { groupBy } from 'lodash';
-import { getSearchStrategyForSearchRequest, getSearchStrategyById } from '../search_strategy';
 import { handleResponse } from './handle_response';
 import { FetchOptions, FetchHandlers } from './types';
-import { SearchRequest } from '../types';
+import { getSearchStrategyForSearchRequest, getSearchStrategyById } from '../search_strategy';
+import { SearchRequest } from '..';
 
 export function callClient(
   searchRequests: SearchRequest[],
diff --git a/src/legacy/core_plugins/data/public/search/fetch/errors.ts b/src/plugins/data/public/search/fetch/errors.ts
similarity index 88%
rename from src/legacy/core_plugins/data/public/search/fetch/errors.ts
rename to src/plugins/data/public/search/fetch/errors.ts
index 5f5dc0452df51..e216d32e127cd 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/errors.ts
+++ b/src/plugins/data/public/search/fetch/errors.ts
@@ -17,9 +17,8 @@
  * under the License.
  */
 
-import { SearchError } from '../search_strategy';
-import { KbnError } from '../../../../../../plugins/kibana_utils/public';
-import { SearchResponse } from '../types';
+import { KbnError } from '../../../../kibana_utils/public';
+import { SearchResponse, SearchError } from '..';
 
 /**
  * Request Failure - When an entire multi request fails
diff --git a/src/legacy/core_plugins/data/public/search/fetch/fetch_soon.test.ts b/src/plugins/data/public/search/fetch/fetch_soon.test.ts
similarity index 97%
rename from src/legacy/core_plugins/data/public/search/fetch/fetch_soon.test.ts
rename to src/plugins/data/public/search/fetch/fetch_soon.test.ts
index 69a343c78b1e1..a8d593c8501f6 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/fetch_soon.test.ts
+++ b/src/plugins/data/public/search/fetch/fetch_soon.test.ts
@@ -19,9 +19,9 @@
 
 import { fetchSoon } from './fetch_soon';
 import { callClient } from './call_client';
-import { IUiSettingsClient } from '../../../../../../core/public';
+import { IUiSettingsClient } from '../../../../../core/public';
 import { FetchHandlers, FetchOptions } from './types';
-import { SearchRequest, SearchResponse } from '../types';
+import { SearchRequest, SearchResponse } from '..';
 
 function getConfigStub(config: any = {}) {
   return {
diff --git a/src/legacy/core_plugins/data/public/search/fetch/fetch_soon.ts b/src/plugins/data/public/search/fetch/fetch_soon.ts
similarity index 98%
rename from src/legacy/core_plugins/data/public/search/fetch/fetch_soon.ts
rename to src/plugins/data/public/search/fetch/fetch_soon.ts
index 4830464047ad6..b1405747426ee 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/fetch_soon.ts
+++ b/src/plugins/data/public/search/fetch/fetch_soon.ts
@@ -19,7 +19,7 @@
 
 import { callClient } from './call_client';
 import { FetchHandlers, FetchOptions } from './types';
-import { SearchRequest, SearchResponse } from '../types';
+import { SearchRequest, SearchResponse } from '..';
 
 /**
  * This function introduces a slight delay in the request process to allow multiple requests to queue
diff --git a/src/legacy/core_plugins/data/public/search/fetch/handle_response.test.ts b/src/plugins/data/public/search/fetch/handle_response.test.ts
similarity index 90%
rename from src/legacy/core_plugins/data/public/search/fetch/handle_response.test.ts
rename to src/plugins/data/public/search/fetch/handle_response.test.ts
index 231ebf56993b6..10e6eda3de3d0 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/handle_response.test.ts
+++ b/src/plugins/data/public/search/fetch/handle_response.test.ts
@@ -21,9 +21,8 @@ import { handleResponse } from './handle_response';
 
 // Temporary disable eslint, will be removed after moving to new platform folder
 // eslint-disable-next-line @kbn/eslint/no-restricted-paths
-import { notificationServiceMock } from '../../../../../../core/public/notifications/notifications_service.mock';
-// eslint-disable-next-line @kbn/eslint/no-restricted-paths
-import { setNotifications } from '../../../../../../plugins/data/public/services';
+import { notificationServiceMock } from '../../../../../core/public/notifications/notifications_service.mock';
+import { setNotifications } from '../../services';
 
 jest.mock('@kbn/i18n', () => {
   return {
diff --git a/src/legacy/core_plugins/data/public/search/fetch/handle_response.tsx b/src/plugins/data/public/search/fetch/handle_response.tsx
similarity index 78%
rename from src/legacy/core_plugins/data/public/search/fetch/handle_response.tsx
rename to src/plugins/data/public/search/fetch/handle_response.tsx
index a08b7d14fd1c3..7905468f91c5f 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/handle_response.tsx
+++ b/src/plugins/data/public/search/fetch/handle_response.tsx
@@ -20,12 +20,10 @@
 import React from 'react';
 import { i18n } from '@kbn/i18n';
 import { EuiSpacer } from '@elastic/eui';
-import { ShardFailureOpenModalButton } from './components/shard_failure_open_modal_button';
-import { Request, ResponseWithShardFailure } from './components/shard_failure_types';
-import { SearchRequest, SearchResponse } from '../types';
-import { toMountPoint } from '../../../../../../plugins/kibana_react/public';
-// eslint-disable-next-line @kbn/eslint/no-restricted-paths
-import { getNotifications } from '../../../../../../plugins/data/public/services';
+import { ShardFailureOpenModalButton, ShardFailureRequest, ShardFailureResponse } from '../../ui';
+import { toMountPoint } from '../../../../kibana_react/public';
+import { getNotifications } from '../../services';
+import { SearchRequest, SearchResponse } from '..';
 
 export function handleResponse(request: SearchRequest, response: SearchResponse) {
   if (response.timed_out) {
@@ -56,8 +54,8 @@ export function handleResponse(request: SearchRequest, response: SearchResponse)
         {description}
         <EuiSpacer size="s" />
         <ShardFailureOpenModalButton
-          request={request.body as Request}
-          response={response as ResponseWithShardFailure}
+          request={request.body as ShardFailureRequest}
+          response={response as ShardFailureResponse}
           title={title}
         />
       </>
diff --git a/src/legacy/core_plugins/data/public/search/fetch/index.ts b/src/plugins/data/public/search/fetch/index.ts
similarity index 87%
rename from src/legacy/core_plugins/data/public/search/fetch/index.ts
rename to src/plugins/data/public/search/fetch/index.ts
index 7b89dea1a110c..8a80b716add32 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/index.ts
+++ b/src/plugins/data/public/search/fetch/index.ts
@@ -17,5 +17,6 @@
  * under the License.
  */
 
-export * from './fetch_soon';
-export * from './get_search_params';
+export * from './types';
+export { fetchSoon } from './fetch_soon';
+export { RequestFailure } from './errors';
diff --git a/src/legacy/core_plugins/data/public/search/fetch/types.ts b/src/plugins/data/public/search/fetch/types.ts
similarity index 94%
rename from src/legacy/core_plugins/data/public/search/fetch/types.ts
rename to src/plugins/data/public/search/fetch/types.ts
index c7f32cf08aa94..62eb965703c3a 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/types.ts
+++ b/src/plugins/data/public/search/fetch/types.ts
@@ -18,7 +18,7 @@
  */
 
 import { ISearchStart } from 'src/plugins/data/public';
-import { IUiSettingsClient } from '../../../../../../core/public';
+import { IUiSettingsClient } from '../../../../../core/public';
 
 export interface FetchOptions {
   abortSignal?: AbortSignal;
diff --git a/src/plugins/data/public/search/index.ts b/src/plugins/data/public/search/index.ts
index 7d62b3823771d..cf7e0268d745a 100644
--- a/src/plugins/data/public/search/index.ts
+++ b/src/plugins/data/public/search/index.ts
@@ -20,6 +20,7 @@
 export { ISearchAppMountContext } from './i_search_app_mount_context';
 
 export { ISearchSetup } from './i_search_setup';
+export { ISearchStart } from './search_service';
 
 export { ISearchContext } from './i_search_context';
 
@@ -39,6 +40,21 @@ export { SYNC_SEARCH_STRATEGY } from './sync_search_strategy';
 
 export { IKibanaSearchResponse, IKibanaSearchRequest } from '../../common/search';
 
-export { ISearchStart } from './search_service';
+export { LegacyApiCaller, SearchRequest, SearchResponse } from './es_client';
 
-export { LegacyApiCaller } from './es_client';
+export {
+  addSearchStrategy,
+  hasSearchStategyForIndexPattern,
+  defaultSearchStrategy,
+  SearchError,
+} from './search_strategy';
+
+export {
+  ISearchSource,
+  SearchSource,
+  SearchSourceFields,
+  EsQuerySortValue,
+  SortDirection,
+} from './search_source';
+
+export { FetchOptions } from './fetch';
diff --git a/src/legacy/core_plugins/data/public/search/search_source/filter_docvalue_fields.test.ts b/src/plugins/data/public/search/search_source/filter_docvalue_fields.test.ts
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/search_source/filter_docvalue_fields.test.ts
rename to src/plugins/data/public/search/search_source/filter_docvalue_fields.test.ts
diff --git a/src/legacy/core_plugins/data/public/search/search_source/filter_docvalue_fields.ts b/src/plugins/data/public/search/search_source/filter_docvalue_fields.ts
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/search_source/filter_docvalue_fields.ts
rename to src/plugins/data/public/search/search_source/filter_docvalue_fields.ts
diff --git a/src/legacy/core_plugins/data/public/search/search_source/index.ts b/src/plugins/data/public/search/search_source/index.ts
similarity index 91%
rename from src/legacy/core_plugins/data/public/search/search_source/index.ts
rename to src/plugins/data/public/search/search_source/index.ts
index 72170adc2b129..10f1b2bc332e1 100644
--- a/src/legacy/core_plugins/data/public/search/search_source/index.ts
+++ b/src/plugins/data/public/search/search_source/index.ts
@@ -18,3 +18,4 @@
  */
 
 export * from './search_source';
+export { SortDirection, EsQuerySortValue, SearchSourceFields } from './types';
diff --git a/src/legacy/core_plugins/data/public/search/search_source/mocks.ts b/src/plugins/data/public/search/search_source/mocks.ts
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/search_source/mocks.ts
rename to src/plugins/data/public/search/search_source/mocks.ts
diff --git a/src/legacy/core_plugins/data/public/search/search_source/normalize_sort_request.test.ts b/src/plugins/data/public/search/search_source/normalize_sort_request.test.ts
similarity index 98%
rename from src/legacy/core_plugins/data/public/search/search_source/normalize_sort_request.test.ts
rename to src/plugins/data/public/search/search_source/normalize_sort_request.test.ts
index 22d1d931a9d09..5939074d773bf 100644
--- a/src/legacy/core_plugins/data/public/search/search_source/normalize_sort_request.test.ts
+++ b/src/plugins/data/public/search/search_source/normalize_sort_request.test.ts
@@ -19,7 +19,7 @@
 
 import { normalizeSortRequest } from './normalize_sort_request';
 import { SortDirection } from './types';
-import { IIndexPattern } from '../../../../../../plugins/data/public';
+import { IIndexPattern } from '../..';
 
 jest.mock('ui/new_platform');
 
diff --git a/src/legacy/core_plugins/data/public/search/search_source/normalize_sort_request.ts b/src/plugins/data/public/search/search_source/normalize_sort_request.ts
similarity index 97%
rename from src/legacy/core_plugins/data/public/search/search_source/normalize_sort_request.ts
rename to src/plugins/data/public/search/search_source/normalize_sort_request.ts
index 93834c95514dc..9e36d2e416f03 100644
--- a/src/legacy/core_plugins/data/public/search/search_source/normalize_sort_request.ts
+++ b/src/plugins/data/public/search/search_source/normalize_sort_request.ts
@@ -17,7 +17,7 @@
  * under the License.
  */
 
-import { IIndexPattern } from '../../../../../../plugins/data/public';
+import { IIndexPattern } from '../..';
 import { EsQuerySortValue, SortOptions } from './types';
 
 export function normalizeSortRequest(
diff --git a/src/legacy/core_plugins/data/public/search/search_source/search_source.test.ts b/src/plugins/data/public/search/search_source/search_source.test.ts
similarity index 94%
rename from src/legacy/core_plugins/data/public/search/search_source/search_source.test.ts
rename to src/plugins/data/public/search/search_source/search_source.test.ts
index ebeee60b67c8a..936a2ae25ad1f 100644
--- a/src/legacy/core_plugins/data/public/search/search_source/search_source.test.ts
+++ b/src/plugins/data/public/search/search_source/search_source.test.ts
@@ -18,18 +18,13 @@
  */
 
 import { SearchSource } from '../search_source';
-import { IndexPattern } from '../../../../../../plugins/data/public';
-import {
-  setSearchService,
-  setUiSettings,
-  setInjectedMetadata,
-  // eslint-disable-next-line @kbn/eslint/no-restricted-paths
-} from '../../../../../../plugins/data/public/services';
+import { IndexPattern } from '../..';
+import { setSearchService, setUiSettings, setInjectedMetadata } from '../../services';
 
 import {
   injectedMetadataServiceMock,
   uiSettingsServiceMock,
-} from '../../../../../../core/public/mocks';
+} from '../../../../../core/public/mocks';
 
 setUiSettings(uiSettingsServiceMock.createStartContract());
 setInjectedMetadata(injectedMetadataServiceMock.createSetupContract());
diff --git a/src/legacy/core_plugins/data/public/search/search_source/search_source.ts b/src/plugins/data/public/search/search_source/search_source.ts
similarity index 95%
rename from src/legacy/core_plugins/data/public/search/search_source/search_source.ts
rename to src/plugins/data/public/search/search_source/search_source.ts
index e977db713ebaa..749c59d891b7e 100644
--- a/src/legacy/core_plugins/data/public/search/search_source/search_source.ts
+++ b/src/plugins/data/public/search/search_source/search_source.ts
@@ -71,20 +71,13 @@
 
 import _ from 'lodash';
 import { normalizeSortRequest } from './normalize_sort_request';
-import { fetchSoon } from '../fetch';
-import { fieldWildcardFilter } from '../../../../../../plugins/kibana_utils/public';
-import { getHighlightRequest, esFilters, esQuery } from '../../../../../../plugins/data/public';
-import { RequestFailure } from '../fetch/errors';
 import { filterDocvalueFields } from './filter_docvalue_fields';
-import { SearchSourceOptions, SearchSourceFields, SearchRequest } from './types';
-import { FetchOptions } from '../fetch/types';
-
-import {
-  getSearchService,
-  getUiSettings,
-  getInjectedMetadata,
-  // eslint-disable-next-line @kbn/eslint/no-restricted-paths
-} from '../../../../../../plugins/data/public/services';
+import { fieldWildcardFilter } from '../../../../kibana_utils/public';
+import { getHighlightRequest, esFilters, esQuery, SearchRequest } from '../..';
+import { SearchSourceOptions, SearchSourceFields } from './types';
+import { fetchSoon, FetchOptions, RequestFailure } from '../fetch';
+
+import { getSearchService, getUiSettings, getInjectedMetadata } from '../../services';
 
 export type ISearchSource = Pick<SearchSource, keyof SearchSource>;
 
diff --git a/src/legacy/core_plugins/data/public/search/search_source/types.ts b/src/plugins/data/public/search/search_source/types.ts
similarity index 94%
rename from src/legacy/core_plugins/data/public/search/search_source/types.ts
rename to src/plugins/data/public/search/search_source/types.ts
index 9c5b57519d75f..17337c905db87 100644
--- a/src/legacy/core_plugins/data/public/search/search_source/types.ts
+++ b/src/plugins/data/public/search/search_source/types.ts
@@ -17,7 +17,7 @@
  * under the License.
  */
 import { NameList } from 'elasticsearch';
-import { esFilters, IndexPattern, Query } from '../../../../../../plugins/data/public';
+import { esFilters, IndexPattern, Query } from '../..';
 
 export type EsQuerySearchAfter = [string | number, string | number];
 
@@ -102,6 +102,3 @@ export interface ShardFailure {
   };
   shard: number;
 }
-
-export type SearchRequest = any;
-export type SearchResponse = any;
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/default_search_strategy.test.ts b/src/plugins/data/public/search/search_strategy/default_search_strategy.test.ts
similarity index 98%
rename from src/legacy/core_plugins/data/public/search/search_strategy/default_search_strategy.test.ts
rename to src/plugins/data/public/search/search_strategy/default_search_strategy.test.ts
index 8caf20c50cd3a..80ab7ceb8870f 100644
--- a/src/legacy/core_plugins/data/public/search/search_strategy/default_search_strategy.test.ts
+++ b/src/plugins/data/public/search/search_strategy/default_search_strategy.test.ts
@@ -17,9 +17,9 @@
  * under the License.
  */
 
-import { defaultSearchStrategy } from './default_search_strategy';
-import { IUiSettingsClient } from '../../../../../../core/public';
+import { IUiSettingsClient } from '../../../../../core/public';
 import { SearchStrategySearchParams } from './types';
+import { defaultSearchStrategy } from './default_search_strategy';
 
 const { search } = defaultSearchStrategy;
 
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/default_search_strategy.ts b/src/plugins/data/public/search/search_strategy/default_search_strategy.ts
similarity index 92%
rename from src/legacy/core_plugins/data/public/search/search_strategy/default_search_strategy.ts
rename to src/plugins/data/public/search/search_strategy/default_search_strategy.ts
index 39789504de0a7..6c178fd9cd4c8 100644
--- a/src/legacy/core_plugins/data/public/search/search_strategy/default_search_strategy.ts
+++ b/src/plugins/data/public/search/search_strategy/default_search_strategy.ts
@@ -18,13 +18,8 @@
  */
 
 import { SearchStrategyProvider, SearchStrategySearchParams } from './types';
-import { isDefaultTypeIndexPattern } from './is_default_type_index_pattern';
-import {
-  getSearchParams,
-  getMSearchParams,
-  getPreference,
-  getTimeout,
-} from '../fetch/get_search_params';
+import { indexPatterns } from '../../index_patterns';
+import { getSearchParams, getMSearchParams, getPreference, getTimeout } from './get_search_params';
 
 export const defaultSearchStrategy: SearchStrategyProvider = {
   id: 'default',
@@ -34,7 +29,7 @@ export const defaultSearchStrategy: SearchStrategyProvider = {
   },
 
   isViable: indexPattern => {
-    return indexPattern && isDefaultTypeIndexPattern(indexPattern);
+    return indexPattern && indexPatterns.isDefault(indexPattern);
   },
 };
 
diff --git a/src/legacy/core_plugins/data/public/search/fetch/get_search_params.test.ts b/src/plugins/data/public/search/search_strategy/get_search_params.test.ts
similarity index 98%
rename from src/legacy/core_plugins/data/public/search/fetch/get_search_params.test.ts
rename to src/plugins/data/public/search/search_strategy/get_search_params.test.ts
index f856aa77bf1f8..76f3105d7f942 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/get_search_params.test.ts
+++ b/src/plugins/data/public/search/search_strategy/get_search_params.test.ts
@@ -18,7 +18,7 @@
  */
 
 import { getMSearchParams, getSearchParams } from './get_search_params';
-import { IUiSettingsClient } from '../../../../../../core/public';
+import { IUiSettingsClient } from '../../../../../core/public';
 
 function getConfigStub(config: any = {}) {
   return {
diff --git a/src/legacy/core_plugins/data/public/search/fetch/get_search_params.ts b/src/plugins/data/public/search/search_strategy/get_search_params.ts
similarity index 97%
rename from src/legacy/core_plugins/data/public/search/fetch/get_search_params.ts
rename to src/plugins/data/public/search/search_strategy/get_search_params.ts
index de9ec4cb920e8..9fb8f2c728c6f 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/get_search_params.ts
+++ b/src/plugins/data/public/search/search_strategy/get_search_params.ts
@@ -17,7 +17,7 @@
  * under the License.
  */
 
-import { IUiSettingsClient } from '../../../../../../core/public';
+import { IUiSettingsClient } from '../../../../../core/public';
 
 const sessionId = Date.now();
 
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/index.ts b/src/plugins/data/public/search/search_strategy/index.ts
similarity index 93%
rename from src/legacy/core_plugins/data/public/search/search_strategy/index.ts
rename to src/plugins/data/public/search/search_strategy/index.ts
index 1584baa4faade..330e10d7d30e4 100644
--- a/src/legacy/core_plugins/data/public/search/search_strategy/index.ts
+++ b/src/plugins/data/public/search/search_strategy/index.ts
@@ -24,8 +24,8 @@ export {
   getSearchStrategyForSearchRequest,
 } from './search_strategy_registry';
 
-export { defaultSearchStrategy } from './default_search_strategy';
+export { SearchError, getSearchErrorType } from './search_error';
 
-export { isDefaultTypeIndexPattern } from './is_default_type_index_pattern';
+export { SearchStrategyProvider, SearchStrategySearchParams } from './types';
 
-export { SearchError, getSearchErrorType } from './search_error';
+export { defaultSearchStrategy } from './default_search_strategy';
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/no_op_search_strategy.ts b/src/plugins/data/public/search/search_strategy/no_op_search_strategy.ts
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/search_strategy/no_op_search_strategy.ts
rename to src/plugins/data/public/search/search_strategy/no_op_search_strategy.ts
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/search_error.ts b/src/plugins/data/public/search/search_strategy/search_error.ts
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/search_strategy/search_error.ts
rename to src/plugins/data/public/search/search_strategy/search_error.ts
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/search_strategy_registry.test.ts b/src/plugins/data/public/search/search_strategy/search_strategy_registry.test.ts
similarity index 98%
rename from src/legacy/core_plugins/data/public/search/search_strategy/search_strategy_registry.test.ts
rename to src/plugins/data/public/search/search_strategy/search_strategy_registry.test.ts
index 73b011896a97d..eaf86e1b270d5 100644
--- a/src/legacy/core_plugins/data/public/search/search_strategy/search_strategy_registry.test.ts
+++ b/src/plugins/data/public/search/search_strategy/search_strategy_registry.test.ts
@@ -17,7 +17,7 @@
  * under the License.
  */
 
-import { IndexPattern } from '../../../../../../plugins/data/public';
+import { IndexPattern } from '../..';
 import { noOpSearchStrategy } from './no_op_search_strategy';
 import {
   searchStrategies,
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/search_strategy_registry.ts b/src/plugins/data/public/search/search_strategy/search_strategy_registry.ts
similarity index 95%
rename from src/legacy/core_plugins/data/public/search/search_strategy/search_strategy_registry.ts
rename to src/plugins/data/public/search/search_strategy/search_strategy_registry.ts
index d814a04737f75..1ab6f7d4e1eff 100644
--- a/src/legacy/core_plugins/data/public/search/search_strategy/search_strategy_registry.ts
+++ b/src/plugins/data/public/search/search_strategy/search_strategy_registry.ts
@@ -17,10 +17,10 @@
  * under the License.
  */
 
-import { IndexPattern } from '../../../../../../plugins/data/public';
+import { IndexPattern } from '../..';
 import { SearchStrategyProvider } from './types';
 import { noOpSearchStrategy } from './no_op_search_strategy';
-import { SearchResponse } from '../types';
+import { SearchResponse } from '..';
 
 export const searchStrategies: SearchStrategyProvider[] = [];
 
diff --git a/src/legacy/core_plugins/data/public/search/search_strategy/types.ts b/src/plugins/data/public/search/search_strategy/types.ts
similarity index 90%
rename from src/legacy/core_plugins/data/public/search/search_strategy/types.ts
rename to src/plugins/data/public/search/search_strategy/types.ts
index ad8576589e4e3..764370d8ff649 100644
--- a/src/legacy/core_plugins/data/public/search/search_strategy/types.ts
+++ b/src/plugins/data/public/search/search_strategy/types.ts
@@ -17,9 +17,9 @@
  * under the License.
  */
 
-import { IndexPattern } from '../../../../../../plugins/data/public';
+import { IndexPattern } from '../..';
 import { FetchHandlers } from '../fetch/types';
-import { SearchRequest, SearchResponse } from '../types';
+import { SearchRequest, SearchResponse } from '..';
 
 export interface SearchStrategyProvider {
   id: string;
diff --git a/src/plugins/data/public/ui/_index.scss b/src/plugins/data/public/ui/_index.scss
index 39f29ac777588..1ca49963f3ded 100644
--- a/src/plugins/data/public/ui/_index.scss
+++ b/src/plugins/data/public/ui/_index.scss
@@ -6,3 +6,5 @@
 @import './saved_query_management/index';
 
 @import './query_string_input/index';
+
+@import './shard_failure_modal/shard_failure_modal';
\ No newline at end of file
diff --git a/src/plugins/data/public/ui/index.ts b/src/plugins/data/public/ui/index.ts
index cd4ec3c3bf74b..0755363c9b16b 100644
--- a/src/plugins/data/public/ui/index.ts
+++ b/src/plugins/data/public/ui/index.ts
@@ -23,6 +23,15 @@ export { FilterBar } from './filter_bar';
 export { QueryStringInput } from './query_string_input/query_string_input';
 export { SearchBar, SearchBarProps } from './search_bar';
 
-// temp export - will be removed as final components are migrated to NP
+// @internal
+export {
+  ShardFailureOpenModalButton,
+  ShardFailureRequest,
+  ShardFailureResponse,
+} from './shard_failure_modal';
+
+// @internal
 export { SavedQueryManagementComponent } from './saved_query_management';
+
+// @internal
 export { SaveQueryForm, SavedQueryMeta } from './saved_query_form';
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/__mocks__/shard_failure_request.ts b/src/plugins/data/public/ui/shard_failure_modal/__mocks__/shard_failure_request.ts
similarity index 92%
rename from src/legacy/core_plugins/data/public/search/fetch/components/__mocks__/shard_failure_request.ts
rename to src/plugins/data/public/ui/shard_failure_modal/__mocks__/shard_failure_request.ts
index 701ff19a38ab9..a9192ee98b192 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/components/__mocks__/shard_failure_request.ts
+++ b/src/plugins/data/public/ui/shard_failure_modal/__mocks__/shard_failure_request.ts
@@ -16,7 +16,7 @@
  * specific language governing permissions and limitations
  * under the License.
  */
-import { Request } from '../shard_failure_types';
+import { ShardFailureRequest } from '../shard_failure_types';
 export const shardFailureRequest = {
   version: true,
   size: 500,
@@ -29,4 +29,4 @@ export const shardFailureRequest = {
   docvalue_fields: [],
   query: {},
   highlight: {},
-} as Request;
+} as ShardFailureRequest;
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/__mocks__/shard_failure_response.ts b/src/plugins/data/public/ui/shard_failure_modal/__mocks__/shard_failure_response.ts
similarity index 93%
rename from src/legacy/core_plugins/data/public/search/fetch/components/__mocks__/shard_failure_response.ts
rename to src/plugins/data/public/ui/shard_failure_modal/__mocks__/shard_failure_response.ts
index 7a519b62a9cc7..573aeefcdf469 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/components/__mocks__/shard_failure_response.ts
+++ b/src/plugins/data/public/ui/shard_failure_modal/__mocks__/shard_failure_response.ts
@@ -16,7 +16,7 @@
  * specific language governing permissions and limitations
  * under the License.
  */
-import { ResponseWithShardFailure } from '../shard_failure_types';
+import { ShardFailureResponse } from '../shard_failure_types';
 
 export const shardFailureResponse = {
   _shards: {
@@ -43,4 +43,4 @@ export const shardFailureResponse = {
       },
     ],
   },
-} as ResponseWithShardFailure;
+} as ShardFailureResponse;
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/__snapshots__/shard_failure_description.test.tsx.snap b/src/plugins/data/public/ui/shard_failure_modal/__snapshots__/shard_failure_description.test.tsx.snap
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/__snapshots__/shard_failure_description.test.tsx.snap
rename to src/plugins/data/public/ui/shard_failure_modal/__snapshots__/shard_failure_description.test.tsx.snap
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/__snapshots__/shard_failure_modal.test.tsx.snap b/src/plugins/data/public/ui/shard_failure_modal/__snapshots__/shard_failure_modal.test.tsx.snap
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/__snapshots__/shard_failure_modal.test.tsx.snap
rename to src/plugins/data/public/ui/shard_failure_modal/__snapshots__/shard_failure_modal.test.tsx.snap
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/__snapshots__/shard_failure_table.test.tsx.snap b/src/plugins/data/public/ui/shard_failure_modal/__snapshots__/shard_failure_table.test.tsx.snap
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/__snapshots__/shard_failure_table.test.tsx.snap
rename to src/plugins/data/public/ui/shard_failure_modal/__snapshots__/shard_failure_table.test.tsx.snap
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/_shard_failure_modal.scss b/src/plugins/data/public/ui/shard_failure_modal/_shard_failure_modal.scss
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/_shard_failure_modal.scss
rename to src/plugins/data/public/ui/shard_failure_modal/_shard_failure_modal.scss
diff --git a/src/legacy/ui/public/courier/search_source/index.ts b/src/plugins/data/public/ui/shard_failure_modal/index.ts
similarity index 82%
rename from src/legacy/ui/public/courier/search_source/index.ts
rename to src/plugins/data/public/ui/shard_failure_modal/index.ts
index e7ca48a894b3d..f4c2e26a756e3 100644
--- a/src/legacy/ui/public/courier/search_source/index.ts
+++ b/src/plugins/data/public/ui/shard_failure_modal/index.ts
@@ -17,4 +17,5 @@
  * under the License.
  */
 
-export { SearchSource, ISearchSource } from '../index';
+export { ShardFailureRequest, ShardFailureResponse } from './shard_failure_types';
+export { ShardFailureOpenModalButton } from './shard_failure_open_modal_button';
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_description.test.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_description.test.tsx
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_description.test.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_description.test.tsx
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_description.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_description.tsx
similarity index 96%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_description.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_description.tsx
index 60e0e35a0f152..d440f09ca09dd 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_description.tsx
+++ b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_description.tsx
@@ -19,7 +19,7 @@
 import React from 'react';
 import { EuiCodeBlock, EuiDescriptionList, EuiSpacer } from '@elastic/eui';
 import { ShardFailure } from './shard_failure_types';
-import { getFlattenedObject } from '../../../../../../../legacy/utils/get_flattened_object';
+import { getFlattenedObject } from '../../../../../core/utils';
 import { ShardFailureDescriptionHeader } from './shard_failure_description_header';
 
 /**
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_description_header.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_description_header.tsx
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_description_header.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_description_header.tsx
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_modal.test.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_modal.test.tsx
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_modal.test.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_modal.test.tsx
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_modal.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_modal.tsx
similarity index 96%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_modal.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_modal.tsx
index 65cb49c611575..3dcab7732f769 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_modal.tsx
+++ b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_modal.tsx
@@ -33,12 +33,12 @@ import {
   EuiCallOut,
 } from '@elastic/eui';
 import { ShardFailureTable } from './shard_failure_table';
-import { ResponseWithShardFailure, Request } from './shard_failure_types';
+import { ShardFailureResponse, ShardFailureRequest } from './shard_failure_types';
 
 export interface Props {
   onClose: () => void;
-  request: Request;
-  response: ResponseWithShardFailure;
+  request: ShardFailureRequest;
+  response: ShardFailureResponse;
   title: string;
 }
 
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_open_modal_button.test.mocks.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_open_modal_button.test.mocks.tsx
similarity index 87%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_open_modal_button.test.mocks.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_open_modal_button.test.mocks.tsx
index 4dd4d5943fadc..516eae9d46a6b 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_open_modal_button.test.mocks.tsx
+++ b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_open_modal_button.test.mocks.tsx
@@ -17,8 +17,7 @@
  * under the License.
  */
 
-// eslint-disable-next-line @kbn/eslint/no-restricted-paths
-import { setOverlays } from '../../../../../../../plugins/data/public/services';
+import { setOverlays } from '../../services';
 import { OverlayStart } from 'kibana/public';
 
 export const openModal = jest.fn();
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_open_modal_button.test.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_open_modal_button.test.tsx
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_open_modal_button.test.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_open_modal_button.test.tsx
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_open_modal_button.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_open_modal_button.tsx
similarity index 84%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_open_modal_button.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_open_modal_button.tsx
index c3ff042083473..fa42745da2e48 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_open_modal_button.tsx
+++ b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_open_modal_button.tsx
@@ -20,15 +20,14 @@ import React from 'react';
 import { FormattedMessage } from '@kbn/i18n/react';
 import { EuiButton, EuiTextAlign } from '@elastic/eui';
 
-// eslint-disable-next-line @kbn/eslint/no-restricted-paths
-import { getOverlays } from '../../../../../../../plugins/data/public/services';
-import { toMountPoint } from '../../../../../../../plugins/kibana_react/public';
+import { getOverlays } from '../../services';
+import { toMountPoint } from '../../../../kibana_react/public';
 import { ShardFailureModal } from './shard_failure_modal';
-import { ResponseWithShardFailure, Request } from './shard_failure_types';
+import { ShardFailureResponse, ShardFailureRequest } from './shard_failure_types';
 
 interface Props {
-  request: Request;
-  response: ResponseWithShardFailure;
+  request: ShardFailureRequest;
+  response: ShardFailureResponse;
   title: string;
 }
 
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_table.test.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_table.test.tsx
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_table.test.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_table.test.tsx
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_table.tsx b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_table.tsx
similarity index 100%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_table.tsx
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_table.tsx
diff --git a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_types.ts b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_types.ts
similarity index 94%
rename from src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_types.ts
rename to src/plugins/data/public/ui/shard_failure_modal/shard_failure_types.ts
index 22fc20233cc87..b1ce3f30c4278 100644
--- a/src/legacy/core_plugins/data/public/search/fetch/components/shard_failure_types.ts
+++ b/src/plugins/data/public/ui/shard_failure_modal/shard_failure_types.ts
@@ -16,7 +16,7 @@
  * specific language governing permissions and limitations
  * under the License.
  */
-export interface Request {
+export interface ShardFailureRequest {
   docvalue_fields: string[];
   _source: unknown;
   query: unknown;
@@ -25,7 +25,7 @@ export interface Request {
   stored_fields: string[];
 }
 
-export interface ResponseWithShardFailure {
+export interface ShardFailureResponse {
   _shards: {
     failed: number;
     failures: ShardFailure[];
diff --git a/x-pack/legacy/plugins/maps/public/kibana_services.js b/x-pack/legacy/plugins/maps/public/kibana_services.js
index 1ec7565df6f26..dadae7a3fdca9 100644
--- a/x-pack/legacy/plugins/maps/public/kibana_services.js
+++ b/x-pack/legacy/plugins/maps/public/kibana_services.js
@@ -7,12 +7,12 @@
 import {
   getRequestInspectorStats,
   getResponseInspectorStats,
-} from '../../../../../src/legacy/ui/public/courier';
+} from '../../../../../src/legacy/core_plugins/data/public';
 import { esFilters } from '../../../../../src/plugins/data/public';
 import { npStart } from 'ui/new_platform';
 
 export const SPATIAL_FILTER_TYPE = esFilters.FILTERS.SPATIAL_FILTER;
-export { SearchSource } from '../../../../../src/legacy/ui/public/courier';
+export { SearchSource } from '../../../../../src/plugins/data/public';
 export const indexPatternService = npStart.plugins.data.indexPatterns;
 
 let licenseId;
diff --git a/x-pack/legacy/plugins/rollup/public/search/register.js b/x-pack/legacy/plugins/rollup/public/search/register.js
index f7f1c681b63ca..05db100088e8a 100644
--- a/x-pack/legacy/plugins/rollup/public/search/register.js
+++ b/x-pack/legacy/plugins/rollup/public/search/register.js
@@ -4,7 +4,7 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import { addSearchStrategy } from '../../../../../../src/legacy/ui/public/courier';
+import { addSearchStrategy } from '../../../../../../src/plugins/data/public';
 import { rollupSearchStrategy } from './rollup_search_strategy';
 
 export function initSearch() {
diff --git a/x-pack/legacy/plugins/rollup/public/search/rollup_search_strategy.js b/x-pack/legacy/plugins/rollup/public/search/rollup_search_strategy.js
index becaf6dd338c8..18e72cdf0fd3d 100644
--- a/x-pack/legacy/plugins/rollup/public/search/rollup_search_strategy.js
+++ b/x-pack/legacy/plugins/rollup/public/search/rollup_search_strategy.js
@@ -5,7 +5,7 @@
  */
 
 import { kfetch } from 'ui/kfetch';
-import { SearchError, getSearchErrorType } from '../../../../../../src/legacy/ui/public/courier';
+import { SearchError, getSearchErrorType } from '../../../../../../src/plugins/data/public';
 
 function serializeFetchParams(searchRequests) {
   return JSON.stringify(

From 72a8da2dcb8cbeb474c79112e81280312d74fe60 Mon Sep 17 00:00:00 2001
From: =?UTF-8?q?Mike=20C=C3=B4t=C3=A9?= <mikecote@users.noreply.github.com>
Date: Mon, 27 Jan 2020 09:39:02 -0500
Subject: [PATCH 05/36] Re-enable skipped tests for unmuting an alert (#55861)

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../security_and_spaces/tests/alerting/alerts.ts               | 3 +--
 1 file changed, 1 insertion(+), 2 deletions(-)

diff --git a/x-pack/test/alerting_api_integration/security_and_spaces/tests/alerting/alerts.ts b/x-pack/test/alerting_api_integration/security_and_spaces/tests/alerting/alerts.ts
index a200bc63155f2..08e6c90a1044c 100644
--- a/x-pack/test/alerting_api_integration/security_and_spaces/tests/alerting/alerts.ts
+++ b/x-pack/test/alerting_api_integration/security_and_spaces/tests/alerting/alerts.ts
@@ -752,8 +752,7 @@ export default function alertTests({ getService }: FtrProviderContext) {
           }
         });
 
-        // Flaky: https://github.com/elastic/kibana/issues/54125
-        it.skip(`should unmute all instances when unmuting an alert`, async () => {
+        it(`should unmute all instances when unmuting an alert`, async () => {
           const testStart = new Date();
           const reference = alertUtils.generateReference();
           const response = await alertUtils.createAlwaysFiringAction({

From 4c2d901dc51a94e06e5d92782f85e47c0984e46c Mon Sep 17 00:00:00 2001
From: =?UTF-8?q?Alejandro=20Fern=C3=A1ndez=20Haro?=
 <alejandro.haro@elastic.co>
Date: Mon, 27 Jan 2020 14:50:08 +0000
Subject: [PATCH 06/36] [X-Pack][Monitoring][Telemetry] Ensure 24h time range
 when fetching Kibana usage stats (#55171)

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../__tests__/get_kibana_stats.js             | 48 ++++++++++++++++++-
 .../telemetry_collection/get_kibana_stats.js  | 32 +++++++++++--
 2 files changed, 76 insertions(+), 4 deletions(-)

diff --git a/x-pack/legacy/plugins/monitoring/server/telemetry_collection/__tests__/get_kibana_stats.js b/x-pack/legacy/plugins/monitoring/server/telemetry_collection/__tests__/get_kibana_stats.js
index dfcdf605ba11c..98e0afa28fba3 100644
--- a/x-pack/legacy/plugins/monitoring/server/telemetry_collection/__tests__/get_kibana_stats.js
+++ b/x-pack/legacy/plugins/monitoring/server/telemetry_collection/__tests__/get_kibana_stats.js
@@ -4,7 +4,7 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import { getUsageStats, combineStats, rollUpTotals } from '../get_kibana_stats';
+import { getUsageStats, combineStats, rollUpTotals, ensureTimeSpan } from '../get_kibana_stats';
 import expect from '@kbn/expect';
 
 describe('Get Kibana Stats', () => {
@@ -542,4 +542,50 @@ describe('Get Kibana Stats', () => {
       expect(rollUpTotals(rollUp, addOn, 'my_field')).to.eql({ total: 4 });
     });
   });
+
+  describe('Ensure minimum time difference', () => {
+    it('should return start and end as is when none are provided', () => {
+      const { start, end } = ensureTimeSpan(undefined, undefined);
+      expect(start).to.be.undefined;
+      expect(end).to.be.undefined;
+    });
+
+    it('should return start and end as is when only end is provided', () => {
+      const initialEnd = '2020-01-01T00:00:00Z';
+      const { start, end } = ensureTimeSpan(undefined, initialEnd);
+      expect(start).to.be.undefined;
+      expect(end).to.be.equal(initialEnd);
+    });
+
+    it('should return start and end as is because they are already 24h away', () => {
+      const initialStart = '2019-12-31T00:00:00Z';
+      const initialEnd = '2020-01-01T00:00:00Z';
+      const { start, end } = ensureTimeSpan(initialStart, initialEnd);
+      expect(start).to.be.equal(initialStart);
+      expect(end).to.be.equal(initialEnd);
+    });
+
+    it('should return start and end as is because they are already 24h+ away', () => {
+      const initialStart = '2019-12-31T00:00:00Z';
+      const initialEnd = '2020-01-01T01:00:00Z';
+      const { start, end } = ensureTimeSpan(initialStart, initialEnd);
+      expect(start).to.be.equal(initialStart);
+      expect(end).to.be.equal(initialEnd);
+    });
+
+    it('should modify start to a date 24h before end', () => {
+      const initialStart = '2020-01-01T00:00:00.000Z';
+      const initialEnd = '2020-01-01T01:00:00.000Z';
+      const { start, end } = ensureTimeSpan(initialStart, initialEnd);
+      expect(start).to.be.equal('2019-12-31T01:00:00.000Z');
+      expect(end).to.be.equal(initialEnd);
+    });
+
+    it('should modify start to a date 24h before now', () => {
+      const initialStart = new Date().toISOString();
+      const { start, end } = ensureTimeSpan(initialStart, undefined);
+      expect(start).to.not.be.equal(initialStart);
+      expect(end).to.be.undefined;
+    });
+  });
 });
diff --git a/x-pack/legacy/plugins/monitoring/server/telemetry_collection/get_kibana_stats.js b/x-pack/legacy/plugins/monitoring/server/telemetry_collection/get_kibana_stats.js
index 57dba1796aa5e..1e22507c5baf4 100644
--- a/x-pack/legacy/plugins/monitoring/server/telemetry_collection/get_kibana_stats.js
+++ b/x-pack/legacy/plugins/monitoring/server/telemetry_collection/get_kibana_stats.js
@@ -4,8 +4,9 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
+import moment from 'moment';
 import { get, isEmpty, omit } from 'lodash';
-import { KIBANA_SYSTEM_ID } from '../../common/constants';
+import { KIBANA_SYSTEM_ID, TELEMETRY_COLLECTION_INTERVAL } from '../../common/constants';
 import { fetchHighLevelStats, handleHighLevelStatsResponse } from './get_high_level_stats';
 
 export function rollUpTotals(rolledUp, addOn, field) {
@@ -88,17 +89,42 @@ export function combineStats(highLevelStats, usageStats = {}) {
   }, {});
 }
 
+/**
+ * Ensure the start and end dates are, at least, TELEMETRY_COLLECTION_INTERVAL apart
+ * because, otherwise, we are sending telemetry with empty Kibana usage data.
+ *
+ * @param {date} [start] The start time from which to get the telemetry data
+ * @param {date} [end] The end time from which to get the telemetry data
+ */
+export function ensureTimeSpan(start, end) {
+  // We only care if we have a start date, because that's the limit that might make us lose the document
+  if (start) {
+    const duration = moment.duration(TELEMETRY_COLLECTION_INTERVAL, 'milliseconds');
+    // If end exists, we need to ensure they are, at least, TELEMETRY_COLLECTION_INTERVAL apart.
+    // Otherwise start should be, at least, TELEMETRY_COLLECTION_INTERVAL apart from now
+    let safeStart = moment().subtract(duration);
+    if (end) {
+      safeStart = moment(end).subtract(duration);
+    }
+    if (safeStart.isBefore(start)) {
+      return { start: safeStart.toISOString(), end };
+    }
+  }
+  return { start, end };
+}
+
 /*
  * Monkey-patch the modules from get_high_level_stats and add in the
  * specialized usage data that comes with kibana stats (kibana_stats.usage).
  */
 export async function getKibanaStats(server, callCluster, clusterUuids, start, end) {
+  const { start: safeStart, end: safeEnd } = ensureTimeSpan(start, end);
   const rawStats = await fetchHighLevelStats(
     server,
     callCluster,
     clusterUuids,
-    start,
-    end,
+    safeStart,
+    safeEnd,
     KIBANA_SYSTEM_ID
   );
   const highLevelStats = handleHighLevelStatsResponse(rawStats, KIBANA_SYSTEM_ID);

From 6f0bfa009ad2d1227e2fd6fa30e87a7ee690c756 Mon Sep 17 00:00:00 2001
From: James Gowdy <jgowdy@elastic.co>
Date: Mon, 27 Jan 2020 15:22:53 +0000
Subject: [PATCH 07/36] [ML] Fixing "aggs" use in datafeeds (#56002)

* [ML] Fixing "aggs" use in datafeeds

* removing use of Record
---
 .../jobs/new_job/common/job_creator/configs/datafeed.ts     | 4 +++-
 .../jobs/new_job/common/job_creator/job_creator.ts          | 6 ++++--
 .../jobs/new_job/common/job_creator/util/general.ts         | 2 +-
 3 files changed, 8 insertions(+), 4 deletions(-)

diff --git a/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/configs/datafeed.ts b/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/configs/datafeed.ts
index 6c7493c5e52d3..c0b9a4872c3c4 100644
--- a/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/configs/datafeed.ts
+++ b/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/configs/datafeed.ts
@@ -11,6 +11,7 @@ export type DatafeedId = string;
 export interface Datafeed {
   datafeed_id: DatafeedId;
   aggregations?: Aggregation;
+  aggs?: Aggregation;
   chunking_config?: ChunkingConfig;
   frequency?: string;
   indices: IndexPatternTitle[];
@@ -33,6 +34,7 @@ interface Aggregation {
       field: string;
       fixed_interval: string;
     };
-    aggregations: Record<string, any>;
+    aggregations?: { [key: string]: any };
+    aggs?: { [key: string]: any };
   };
 }
diff --git a/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/job_creator.ts b/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/job_creator.ts
index 90c189c9d6197..5b33aa3556980 100644
--- a/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/job_creator.ts
+++ b/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/job_creator.ts
@@ -623,8 +623,10 @@ export class JobCreator {
     }
 
     this._aggregationFields = [];
-    if (this._datafeed_config.aggregations?.buckets !== undefined) {
-      collectAggs(this._datafeed_config.aggregations.buckets, this._aggregationFields);
+    const buckets =
+      this._datafeed_config.aggregations?.buckets || this._datafeed_config.aggs?.buckets;
+    if (buckets !== undefined) {
+      collectAggs(buckets, this._aggregationFields);
     }
   }
 }
diff --git a/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/util/general.ts b/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/util/general.ts
index e5b6212a4326e..0764e276d635e 100644
--- a/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/util/general.ts
+++ b/x-pack/legacy/plugins/ml/public/application/jobs/new_job/common/job_creator/util/general.ts
@@ -325,7 +325,7 @@ export function collectAggs(o: any, aggFields: Field[]) {
     if (o[i] !== null && typeof o[i] === 'object') {
       if (i === 'aggregations' || i === 'aggs') {
         Object.keys(o[i]).forEach(k => {
-          if (k !== 'aggregations' && i !== 'aggs') {
+          if (k !== 'aggregations' && k !== 'aggs') {
             aggFields.push({
               id: k,
               name: k,

From efd3e99064a711ef73f5f43c055161537f404a08 Mon Sep 17 00:00:00 2001
From: Mikhail Shustov <restrry@gmail.com>
Date: Mon, 27 Jan 2020 16:29:27 +0100
Subject: [PATCH 08/36] Revert "Normalize EOL symbol for the platform docs
 (#55689)" (#56020)

This reverts commit 1ea175e2c613fe105bf33a70471d9925fda53003.
---
 api-documenter.json                           |   4 -
 docs/development/core/public/index.md         |  24 +-
 .../kibana-plugin-public.app.approute.md      |  26 +-
 .../kibana-plugin-public.app.chromeless.md    |  26 +-
 .../core/public/kibana-plugin-public.app.md   |  44 +-
 .../public/kibana-plugin-public.app.mount.md  |  36 +-
 ...bana-plugin-public.appbase.capabilities.md |  26 +-
 .../kibana-plugin-public.appbase.category.md  |  26 +-
 ...kibana-plugin-public.appbase.chromeless.md |  26 +-
 ...ibana-plugin-public.appbase.euiicontype.md |  26 +-
 .../kibana-plugin-public.appbase.icon.md      |  26 +-
 .../public/kibana-plugin-public.appbase.id.md |  26 +-
 .../public/kibana-plugin-public.appbase.md    |  60 +--
 ...ana-plugin-public.appbase.navlinkstatus.md |  26 +-
 .../kibana-plugin-public.appbase.order.md     |  26 +-
 .../kibana-plugin-public.appbase.status.md    |  26 +-
 .../kibana-plugin-public.appbase.title.md     |  26 +-
 .../kibana-plugin-public.appbase.tooltip.md   |  26 +-
 .../kibana-plugin-public.appbase.updater_.md  |  88 ++--
 ...ana-plugin-public.appcategory.arialabel.md |  26 +-
 ...a-plugin-public.appcategory.euiicontype.md |  26 +-
 .../kibana-plugin-public.appcategory.label.md |  26 +-
 .../kibana-plugin-public.appcategory.md       |  46 +-
 .../kibana-plugin-public.appcategory.order.md |  26 +-
 .../kibana-plugin-public.appleaveaction.md    |  30 +-
 ...kibana-plugin-public.appleaveactiontype.md |  42 +-
 ...ana-plugin-public.appleaveconfirmaction.md |  48 +-
 ...lugin-public.appleaveconfirmaction.text.md |  22 +-
 ...ugin-public.appleaveconfirmaction.title.md |  22 +-
 ...lugin-public.appleaveconfirmaction.type.md |  22 +-
 ...ana-plugin-public.appleavedefaultaction.md |  44 +-
 ...lugin-public.appleavedefaultaction.type.md |  22 +-
 .../kibana-plugin-public.appleavehandler.md   |  30 +-
 .../kibana-plugin-public.applicationsetup.md  |  42 +-
 ...plugin-public.applicationsetup.register.md |  48 +-
 ...lic.applicationsetup.registerappupdater.md |  94 ++--
 ...c.applicationsetup.registermountcontext.md |  58 +--
 ...in-public.applicationstart.capabilities.md |  26 +-
 ...in-public.applicationstart.geturlforapp.md |  54 +--
 .../kibana-plugin-public.applicationstart.md  |  54 +--
 ...n-public.applicationstart.navigatetoapp.md |  56 +--
 ...c.applicationstart.registermountcontext.md |  58 +--
 .../public/kibana-plugin-public.appmount.md   |  26 +-
 ...bana-plugin-public.appmountcontext.core.md |  52 +-
 .../kibana-plugin-public.appmountcontext.md   |  48 +-
 ...kibana-plugin-public.appmountdeprecated.md |  44 +-
 ...n-public.appmountparameters.appbasepath.md | 116 ++---
 ...lugin-public.appmountparameters.element.md |  26 +-
 ...kibana-plugin-public.appmountparameters.md |  42 +-
 ...in-public.appmountparameters.onappleave.md |  82 ++--
 .../kibana-plugin-public.appnavlinkstatus.md  |  46 +-
 .../public/kibana-plugin-public.appstatus.md  |  42 +-
 .../public/kibana-plugin-public.appunmount.md |  26 +-
 ...kibana-plugin-public.appupdatablefields.md |  26 +-
 .../public/kibana-plugin-public.appupdater.md |  26 +-
 ...na-plugin-public.capabilities.catalogue.md |  26 +-
 ...a-plugin-public.capabilities.management.md |  30 +-
 .../kibana-plugin-public.capabilities.md      |  44 +-
 ...ana-plugin-public.capabilities.navlinks.md |  26 +-
 ...bana-plugin-public.chromebadge.icontype.md |  22 +-
 .../kibana-plugin-public.chromebadge.md       |  42 +-
 .../kibana-plugin-public.chromebadge.text.md  |  22 +-
 ...ibana-plugin-public.chromebadge.tooltip.md |  22 +-
 .../kibana-plugin-public.chromebrand.logo.md  |  22 +-
 .../kibana-plugin-public.chromebrand.md       |  40 +-
 ...ana-plugin-public.chromebrand.smalllogo.md |  22 +-
 .../kibana-plugin-public.chromebreadcrumb.md  |  24 +-
 ...ana-plugin-public.chromedoctitle.change.md |  68 +--
 .../kibana-plugin-public.chromedoctitle.md    |  78 +--
 ...bana-plugin-public.chromedoctitle.reset.md |  34 +-
 ...ugin-public.chromehelpextension.appname.md |  26 +-
 ...ugin-public.chromehelpextension.content.md |  26 +-
 ...plugin-public.chromehelpextension.links.md |  26 +-
 ...ibana-plugin-public.chromehelpextension.md |  42 +-
 ...ublic.chromehelpextensionmenucustomlink.md |  30 +-
 ...blic.chromehelpextensionmenudiscusslink.md |  30 +-
 ...hromehelpextensionmenudocumentationlink.md |  30 +-
 ...ublic.chromehelpextensionmenugithublink.md |  32 +-
 ...ugin-public.chromehelpextensionmenulink.md |  24 +-
 .../kibana-plugin-public.chromenavcontrol.md  |  40 +-
 ...na-plugin-public.chromenavcontrol.mount.md |  22 +-
 ...na-plugin-public.chromenavcontrol.order.md |  22 +-
 .../kibana-plugin-public.chromenavcontrols.md |  70 +--
 ...n-public.chromenavcontrols.registerleft.md |  48 +-
 ...-public.chromenavcontrols.registerright.md |  48 +-
 ...bana-plugin-public.chromenavlink.active.md |  34 +-
 ...ana-plugin-public.chromenavlink.baseurl.md |  26 +-
 ...na-plugin-public.chromenavlink.category.md |  26 +-
 ...na-plugin-public.chromenavlink.disabled.md |  34 +-
 ...plugin-public.chromenavlink.euiicontype.md |  26 +-
 ...bana-plugin-public.chromenavlink.hidden.md |  26 +-
 ...kibana-plugin-public.chromenavlink.icon.md |  26 +-
 .../kibana-plugin-public.chromenavlink.id.md  |  26 +-
 ...n-public.chromenavlink.linktolastsuburl.md |  34 +-
 .../kibana-plugin-public.chromenavlink.md     |  64 +--
 ...ibana-plugin-public.chromenavlink.order.md |  26 +-
 ...-plugin-public.chromenavlink.suburlbase.md |  34 +-
 ...ibana-plugin-public.chromenavlink.title.md |  26 +-
 ...ana-plugin-public.chromenavlink.tooltip.md |  26 +-
 .../kibana-plugin-public.chromenavlink.url.md |  34 +-
 ...links.enableforcedappswitchernavigation.md |  46 +-
 ...kibana-plugin-public.chromenavlinks.get.md |  48 +-
 ...ana-plugin-public.chromenavlinks.getall.md |  34 +-
 ...navlinks.getforceappswitchernavigation_.md |  34 +-
 ...ugin-public.chromenavlinks.getnavlinks_.md |  34 +-
 ...kibana-plugin-public.chromenavlinks.has.md |  48 +-
 .../kibana-plugin-public.chromenavlinks.md    |  54 +--
 ...a-plugin-public.chromenavlinks.showonly.md |  56 +--
 ...ana-plugin-public.chromenavlinks.update.md |  60 +--
 ...in-public.chromenavlinkupdateablefields.md |  24 +-
 ...lugin-public.chromerecentlyaccessed.add.md |  68 +--
 ...lugin-public.chromerecentlyaccessed.get.md |  50 +-
 ...ugin-public.chromerecentlyaccessed.get_.md |  50 +-
 ...na-plugin-public.chromerecentlyaccessed.md |  44 +-
 ...ic.chromerecentlyaccessedhistoryitem.id.md |  22 +-
 ...chromerecentlyaccessedhistoryitem.label.md |  22 +-
 ....chromerecentlyaccessedhistoryitem.link.md |  22 +-
 ...ublic.chromerecentlyaccessedhistoryitem.md |  42 +-
 ...-public.chromestart.addapplicationclass.md |  48 +-
 ...bana-plugin-public.chromestart.doctitle.md |  26 +-
 ...blic.chromestart.getapplicationclasses_.md |  34 +-
 ...ana-plugin-public.chromestart.getbadge_.md |  34 +-
 ...ana-plugin-public.chromestart.getbrand_.md |  34 +-
 ...ugin-public.chromestart.getbreadcrumbs_.md |  34 +-
 ...in-public.chromestart.gethelpextension_.md |  34 +-
 ...ugin-public.chromestart.getiscollapsed_.md |  34 +-
 ...plugin-public.chromestart.getisvisible_.md |  34 +-
 .../kibana-plugin-public.chromestart.md       | 140 +++---
 ...a-plugin-public.chromestart.navcontrols.md |  26 +-
 ...bana-plugin-public.chromestart.navlinks.md |  26 +-
 ...gin-public.chromestart.recentlyaccessed.md |  26 +-
 ...blic.chromestart.removeapplicationclass.md |  48 +-
 ...a-plugin-public.chromestart.setapptitle.md |  48 +-
 ...bana-plugin-public.chromestart.setbadge.md |  48 +-
 ...bana-plugin-public.chromestart.setbrand.md |  78 +--
 ...lugin-public.chromestart.setbreadcrumbs.md |  48 +-
 ...gin-public.chromestart.sethelpextension.md |  48 +-
 ...in-public.chromestart.sethelpsupporturl.md |  48 +-
 ...lugin-public.chromestart.setiscollapsed.md |  48 +-
 ...-plugin-public.chromestart.setisvisible.md |  48 +-
 ...lic.contextsetup.createcontextcontainer.md |  34 +-
 .../kibana-plugin-public.contextsetup.md      | 276 +++++------
 ...ana-plugin-public.coresetup.application.md |  26 +-
 .../kibana-plugin-public.coresetup.context.md |  34 +-
 ...ana-plugin-public.coresetup.fatalerrors.md |  26 +-
 ...lugin-public.coresetup.getstartservices.md |  34 +-
 .../kibana-plugin-public.coresetup.http.md    |  26 +-
 ...lugin-public.coresetup.injectedmetadata.md |  38 +-
 .../public/kibana-plugin-public.coresetup.md  |  64 +--
 ...a-plugin-public.coresetup.notifications.md |  26 +-
 ...bana-plugin-public.coresetup.uisettings.md |  26 +-
 ...ana-plugin-public.corestart.application.md |  26 +-
 .../kibana-plugin-public.corestart.chrome.md  |  26 +-
 ...kibana-plugin-public.corestart.doclinks.md |  26 +-
 ...ana-plugin-public.corestart.fatalerrors.md |  26 +-
 .../kibana-plugin-public.corestart.http.md    |  26 +-
 .../kibana-plugin-public.corestart.i18n.md    |  26 +-
 ...lugin-public.corestart.injectedmetadata.md |  38 +-
 .../public/kibana-plugin-public.corestart.md  |  60 +--
 ...a-plugin-public.corestart.notifications.md |  26 +-
 ...kibana-plugin-public.corestart.overlays.md |  26 +-
 ...na-plugin-public.corestart.savedobjects.md |  26 +-
 ...bana-plugin-public.corestart.uisettings.md |  26 +-
 ...n-public.doclinksstart.doc_link_version.md |  22 +-
 ...ublic.doclinksstart.elastic_website_url.md |  22 +-
 ...ibana-plugin-public.doclinksstart.links.md | 192 ++++----
 .../kibana-plugin-public.doclinksstart.md     |  42 +-
 ...ibana-plugin-public.environmentmode.dev.md |  22 +-
 .../kibana-plugin-public.environmentmode.md   |  42 +-
 ...bana-plugin-public.environmentmode.name.md |  22 +-
 ...bana-plugin-public.environmentmode.prod.md |  22 +-
 .../kibana-plugin-public.errortoastoptions.md |  42 +-
 ...a-plugin-public.errortoastoptions.title.md |  26 +-
 ...n-public.errortoastoptions.toastmessage.md |  26 +-
 .../kibana-plugin-public.fatalerrorinfo.md    |  42 +-
 ...na-plugin-public.fatalerrorinfo.message.md |  22 +-
 ...bana-plugin-public.fatalerrorinfo.stack.md |  22 +-
 ...bana-plugin-public.fatalerrorssetup.add.md |  26 +-
 ...ana-plugin-public.fatalerrorssetup.get_.md |  26 +-
 .../kibana-plugin-public.fatalerrorssetup.md  |  42 +-
 .../kibana-plugin-public.fatalerrorsstart.md  |  26 +-
 ...kibana-plugin-public.handlercontexttype.md |  26 +-
 .../kibana-plugin-public.handlerfunction.md   |  26 +-
 .../kibana-plugin-public.handlerparameters.md |  26 +-
 ...ugin-public.httpfetchoptions.asresponse.md |  26 +-
 ...public.httpfetchoptions.assystemrequest.md |  26 +-
 ...-plugin-public.httpfetchoptions.headers.md |  26 +-
 .../kibana-plugin-public.httpfetchoptions.md  |  48 +-
 ...public.httpfetchoptions.prependbasepath.md |  26 +-
 ...na-plugin-public.httpfetchoptions.query.md |  26 +-
 ...-plugin-public.httpfetchoptionswithpath.md |  40 +-
 ...in-public.httpfetchoptionswithpath.path.md |  22 +-
 .../kibana-plugin-public.httpfetchquery.md    |  24 +-
 .../kibana-plugin-public.httphandler.md       |  26 +-
 .../kibana-plugin-public.httpheadersinit.md   |  26 +-
 .../kibana-plugin-public.httpinterceptor.md   |  46 +-
 ...a-plugin-public.httpinterceptor.request.md |  50 +-
 ...gin-public.httpinterceptor.requesterror.md |  50 +-
 ...-plugin-public.httpinterceptor.response.md |  50 +-
 ...in-public.httpinterceptor.responseerror.md |  50 +-
 ...ublic.httpinterceptorrequesterror.error.md |  22 +-
 ...ttpinterceptorrequesterror.fetchoptions.md |  22 +-
 ...ugin-public.httpinterceptorrequesterror.md |  40 +-
 ...blic.httpinterceptorresponseerror.error.md |  22 +-
 ...gin-public.httpinterceptorresponseerror.md |  40 +-
 ...ic.httpinterceptorresponseerror.request.md |  22 +-
 ...bana-plugin-public.httprequestinit.body.md |  26 +-
 ...ana-plugin-public.httprequestinit.cache.md |  26 +-
 ...ugin-public.httprequestinit.credentials.md |  26 +-
 ...a-plugin-public.httprequestinit.headers.md |  26 +-
 ...plugin-public.httprequestinit.integrity.md |  26 +-
 ...plugin-public.httprequestinit.keepalive.md |  26 +-
 .../kibana-plugin-public.httprequestinit.md   |  64 +--
 ...na-plugin-public.httprequestinit.method.md |  26 +-
 ...bana-plugin-public.httprequestinit.mode.md |  26 +-
 ...-plugin-public.httprequestinit.redirect.md |  26 +-
 ...-plugin-public.httprequestinit.referrer.md |  26 +-
 ...n-public.httprequestinit.referrerpolicy.md |  26 +-
 ...na-plugin-public.httprequestinit.signal.md |  26 +-
 ...na-plugin-public.httprequestinit.window.md |  26 +-
 .../kibana-plugin-public.httpresponse.body.md |  26 +-
 ...plugin-public.httpresponse.fetchoptions.md |  26 +-
 .../kibana-plugin-public.httpresponse.md      |  44 +-
 ...bana-plugin-public.httpresponse.request.md |  26 +-
 ...ana-plugin-public.httpresponse.response.md |  26 +-
 ...-public.httpsetup.addloadingcountsource.md |  48 +-
 ...-plugin-public.httpsetup.anonymouspaths.md |  26 +-
 ...kibana-plugin-public.httpsetup.basepath.md |  26 +-
 .../kibana-plugin-public.httpsetup.delete.md  |  26 +-
 .../kibana-plugin-public.httpsetup.fetch.md   |  26 +-
 .../kibana-plugin-public.httpsetup.get.md     |  26 +-
 ...lugin-public.httpsetup.getloadingcount_.md |  34 +-
 .../kibana-plugin-public.httpsetup.head.md    |  26 +-
 ...ibana-plugin-public.httpsetup.intercept.md |  52 +-
 .../public/kibana-plugin-public.httpsetup.md  |  72 +--
 .../kibana-plugin-public.httpsetup.options.md |  26 +-
 .../kibana-plugin-public.httpsetup.patch.md   |  26 +-
 .../kibana-plugin-public.httpsetup.post.md    |  26 +-
 .../kibana-plugin-public.httpsetup.put.md     |  26 +-
 .../public/kibana-plugin-public.httpstart.md  |  26 +-
 .../kibana-plugin-public.i18nstart.context.md |  30 +-
 .../public/kibana-plugin-public.i18nstart.md  |  40 +-
 ...ugin-public.ianonymouspaths.isanonymous.md |  48 +-
 .../kibana-plugin-public.ianonymouspaths.md   |  42 +-
 ...-plugin-public.ianonymouspaths.register.md |  48 +-
 .../kibana-plugin-public.ibasepath.get.md     |  26 +-
 .../public/kibana-plugin-public.ibasepath.md  |  44 +-
 .../kibana-plugin-public.ibasepath.prepend.md |  26 +-
 .../kibana-plugin-public.ibasepath.remove.md  |  26 +-
 ...-public.icontextcontainer.createhandler.md |  54 +--
 .../kibana-plugin-public.icontextcontainer.md | 160 +++---
 ...ublic.icontextcontainer.registercontext.md |  68 +--
 .../kibana-plugin-public.icontextprovider.md  |  36 +-
 ...bana-plugin-public.ihttpfetcherror.body.md |  22 +-
 .../kibana-plugin-public.ihttpfetcherror.md   |  46 +-
 ...ibana-plugin-public.ihttpfetcherror.req.md |  32 +-
 ...a-plugin-public.ihttpfetcherror.request.md |  22 +-
 ...ibana-plugin-public.ihttpfetcherror.res.md |  32 +-
 ...-plugin-public.ihttpfetcherror.response.md |  22 +-
 ...in-public.ihttpinterceptcontroller.halt.md |  34 +-
 ...-public.ihttpinterceptcontroller.halted.md |  26 +-
 ...-plugin-public.ihttpinterceptcontroller.md |  52 +-
 ....ihttpresponseinterceptoroverrides.body.md |  26 +-
 ...ublic.ihttpresponseinterceptoroverrides.md |  42 +-
 ...tpresponseinterceptoroverrides.response.md |  26 +-
 ...a-plugin-public.imagevalidation.maxsize.md |  28 +-
 .../kibana-plugin-public.imagevalidation.md   |  38 +-
 .../public/kibana-plugin-public.itoasts.md    |  26 +-
 ...ana-plugin-public.iuisettingsclient.get.md |  26 +-
 ...na-plugin-public.iuisettingsclient.get_.md |  26 +-
 ...-plugin-public.iuisettingsclient.getall.md |  26 +-
 ...ugin-public.iuisettingsclient.getsaved_.md |  34 +-
 ...gin-public.iuisettingsclient.getupdate_.md |  34 +-
 ...blic.iuisettingsclient.getupdateerrors_.md |  26 +-
 ...lugin-public.iuisettingsclient.iscustom.md |  26 +-
 ...gin-public.iuisettingsclient.isdeclared.md |  26 +-
 ...ugin-public.iuisettingsclient.isdefault.md |  26 +-
 ...n-public.iuisettingsclient.isoverridden.md |  26 +-
 .../kibana-plugin-public.iuisettingsclient.md |  64 +--
 ....iuisettingsclient.overridelocaldefault.md |  26 +-
 ...-plugin-public.iuisettingsclient.remove.md |  26 +-
 ...ana-plugin-public.iuisettingsclient.set.md |  26 +-
 ...public.legacycoresetup.injectedmetadata.md |  30 +-
 .../kibana-plugin-public.legacycoresetup.md   |  56 +--
 ...public.legacycorestart.injectedmetadata.md |  30 +-
 .../kibana-plugin-public.legacycorestart.md   |  56 +--
 ...na-plugin-public.legacynavlink.category.md |  22 +-
 ...plugin-public.legacynavlink.euiicontype.md |  22 +-
 ...kibana-plugin-public.legacynavlink.icon.md |  22 +-
 .../kibana-plugin-public.legacynavlink.id.md  |  22 +-
 .../kibana-plugin-public.legacynavlink.md     |  50 +-
 ...ibana-plugin-public.legacynavlink.order.md |  22 +-
 ...ibana-plugin-public.legacynavlink.title.md |  22 +-
 .../kibana-plugin-public.legacynavlink.url.md |  22 +-
 .../core/public/kibana-plugin-public.md       | 322 ++++++-------
 .../public/kibana-plugin-public.mountpoint.md |  26 +-
 ...kibana-plugin-public.notificationssetup.md |  38 +-
 ...plugin-public.notificationssetup.toasts.md |  26 +-
 ...kibana-plugin-public.notificationsstart.md |  38 +-
 ...plugin-public.notificationsstart.toasts.md |  26 +-
 ...a-plugin-public.overlaybannersstart.add.md |  54 +--
 ...public.overlaybannersstart.getcomponent.md |  30 +-
 ...ibana-plugin-public.overlaybannersstart.md |  44 +-
 ...lugin-public.overlaybannersstart.remove.md |  52 +-
 ...ugin-public.overlaybannersstart.replace.md |  56 +--
 .../kibana-plugin-public.overlayref.close.md  |  34 +-
 .../public/kibana-plugin-public.overlayref.md |  52 +-
 ...kibana-plugin-public.overlayref.onclose.md |  30 +-
 ...bana-plugin-public.overlaystart.banners.md |  26 +-
 .../kibana-plugin-public.overlaystart.md      |  44 +-
 ...-plugin-public.overlaystart.openconfirm.md |  24 +-
 ...a-plugin-public.overlaystart.openflyout.md |  24 +-
 ...na-plugin-public.overlaystart.openmodal.md |  24 +-
 ...kibana-plugin-public.packageinfo.branch.md |  22 +-
 ...bana-plugin-public.packageinfo.buildnum.md |  22 +-
 ...bana-plugin-public.packageinfo.buildsha.md |  22 +-
 .../kibana-plugin-public.packageinfo.dist.md  |  22 +-
 .../kibana-plugin-public.packageinfo.md       |  46 +-
 ...ibana-plugin-public.packageinfo.version.md |  22 +-
 .../public/kibana-plugin-public.plugin.md     |  44 +-
 .../kibana-plugin-public.plugin.setup.md      |  46 +-
 .../kibana-plugin-public.plugin.start.md      |  46 +-
 .../kibana-plugin-public.plugin.stop.md       |  30 +-
 .../kibana-plugin-public.plugininitializer.md |  26 +-
 ...-public.plugininitializercontext.config.md |  26 +-
 ...gin-public.plugininitializercontext.env.md |  28 +-
 ...-plugin-public.plugininitializercontext.md |  44 +-
 ...ublic.plugininitializercontext.opaqueid.md |  26 +-
 .../kibana-plugin-public.pluginopaqueid.md    |  24 +-
 .../kibana-plugin-public.recursivereadonly.md |  28 +-
 ...na-plugin-public.savedobject.attributes.md |  26 +-
 .../kibana-plugin-public.savedobject.error.md |  28 +-
 .../kibana-plugin-public.savedobject.id.md    |  26 +-
 .../kibana-plugin-public.savedobject.md       |  52 +-
 ...gin-public.savedobject.migrationversion.md |  26 +-
 ...na-plugin-public.savedobject.references.md |  26 +-
 .../kibana-plugin-public.savedobject.type.md  |  26 +-
 ...na-plugin-public.savedobject.updated_at.md |  26 +-
 ...ibana-plugin-public.savedobject.version.md |  26 +-
 ...bana-plugin-public.savedobjectattribute.md |  26 +-
 ...ana-plugin-public.savedobjectattributes.md |  26 +-
 ...lugin-public.savedobjectattributesingle.md |  26 +-
 ...a-plugin-public.savedobjectreference.id.md |  22 +-
 ...bana-plugin-public.savedobjectreference.md |  44 +-
 ...plugin-public.savedobjectreference.name.md |  22 +-
 ...plugin-public.savedobjectreference.type.md |  22 +-
 ...a-plugin-public.savedobjectsbaseoptions.md |  38 +-
 ...ublic.savedobjectsbaseoptions.namespace.md |  26 +-
 ...plugin-public.savedobjectsbatchresponse.md |  38 +-
 ....savedobjectsbatchresponse.savedobjects.md |  22 +-
 ...savedobjectsbulkcreateobject.attributes.md |  22 +-
 ...gin-public.savedobjectsbulkcreateobject.md |  38 +-
 ...ublic.savedobjectsbulkcreateobject.type.md |  22 +-
 ...in-public.savedobjectsbulkcreateoptions.md |  38 +-
 ...savedobjectsbulkcreateoptions.overwrite.md |  26 +-
 ...savedobjectsbulkupdateobject.attributes.md |  22 +-
 ...-public.savedobjectsbulkupdateobject.id.md |  22 +-
 ...gin-public.savedobjectsbulkupdateobject.md |  46 +-
 ...savedobjectsbulkupdateobject.references.md |  22 +-
 ...ublic.savedobjectsbulkupdateobject.type.md |  22 +-
 ...ic.savedobjectsbulkupdateobject.version.md |  22 +-
 ...in-public.savedobjectsbulkupdateoptions.md |  38 +-
 ...savedobjectsbulkupdateoptions.namespace.md |  22 +-
 ...in-public.savedobjectsclient.bulkcreate.md |  26 +-
 ...lugin-public.savedobjectsclient.bulkget.md |  42 +-
 ...in-public.savedobjectsclient.bulkupdate.md |  52 +-
 ...plugin-public.savedobjectsclient.create.md |  26 +-
 ...plugin-public.savedobjectsclient.delete.md |  26 +-
 ...a-plugin-public.savedobjectsclient.find.md |  26 +-
 ...na-plugin-public.savedobjectsclient.get.md |  26 +-
 ...kibana-plugin-public.savedobjectsclient.md |  72 +--
 ...plugin-public.savedobjectsclient.update.md |  56 +--
 ...lugin-public.savedobjectsclientcontract.md |  26 +-
 ...gin-public.savedobjectscreateoptions.id.md |  26 +-
 ...plugin-public.savedobjectscreateoptions.md |  44 +-
 ...edobjectscreateoptions.migrationversion.md |  26 +-
 ...lic.savedobjectscreateoptions.overwrite.md |  26 +-
 ...ic.savedobjectscreateoptions.references.md |  22 +-
 ...bjectsfindoptions.defaultsearchoperator.md |  22 +-
 ...n-public.savedobjectsfindoptions.fields.md |  36 +-
 ...n-public.savedobjectsfindoptions.filter.md |  22 +-
 ...ic.savedobjectsfindoptions.hasreference.md |  28 +-
 ...a-plugin-public.savedobjectsfindoptions.md |  58 +--
 ...gin-public.savedobjectsfindoptions.page.md |  22 +-
 ...-public.savedobjectsfindoptions.perpage.md |  22 +-
 ...n-public.savedobjectsfindoptions.search.md |  26 +-
 ...ic.savedobjectsfindoptions.searchfields.md |  26 +-
 ...ublic.savedobjectsfindoptions.sortfield.md |  22 +-
 ...ublic.savedobjectsfindoptions.sortorder.md |  22 +-
 ...gin-public.savedobjectsfindoptions.type.md |  22 +-
 ...n-public.savedobjectsfindresponsepublic.md |  48 +-
 ...lic.savedobjectsfindresponsepublic.page.md |  22 +-
 ....savedobjectsfindresponsepublic.perpage.md |  22 +-
 ...ic.savedobjectsfindresponsepublic.total.md |  22 +-
 ...-public.savedobjectsimportconflicterror.md |  40 +-
 ...ic.savedobjectsimportconflicterror.type.md |  22 +-
 ...in-public.savedobjectsimporterror.error.md |  22 +-
 ...lugin-public.savedobjectsimporterror.id.md |  22 +-
 ...a-plugin-public.savedobjectsimporterror.md |  46 +-
 ...in-public.savedobjectsimporterror.title.md |  22 +-
 ...gin-public.savedobjectsimporterror.type.md |  22 +-
 ...tsimportmissingreferenceserror.blocking.md |  28 +-
 ...avedobjectsimportmissingreferenceserror.md |  44 +-
 ...importmissingreferenceserror.references.md |  28 +-
 ...bjectsimportmissingreferenceserror.type.md |  22 +-
 ...ublic.savedobjectsimportresponse.errors.md |  22 +-
 ...lugin-public.savedobjectsimportresponse.md |  44 +-
 ...blic.savedobjectsimportresponse.success.md |  22 +-
 ...savedobjectsimportresponse.successcount.md |  22 +-
 ...lugin-public.savedobjectsimportretry.id.md |  22 +-
 ...a-plugin-public.savedobjectsimportretry.md |  46 +-
 ...ublic.savedobjectsimportretry.overwrite.md |  22 +-
 ...vedobjectsimportretry.replacereferences.md |  30 +-
 ...gin-public.savedobjectsimportretry.type.md |  22 +-
 ...n-public.savedobjectsimportunknownerror.md |  44 +-
 ....savedobjectsimportunknownerror.message.md |  22 +-
 ...vedobjectsimportunknownerror.statuscode.md |  22 +-
 ...lic.savedobjectsimportunknownerror.type.md |  22 +-
 ....savedobjectsimportunsupportedtypeerror.md |  40 +-
 ...dobjectsimportunsupportedtypeerror.type.md |  22 +-
 ...gin-public.savedobjectsmigrationversion.md |  36 +-
 ...-plugin-public.savedobjectsstart.client.md |  26 +-
 .../kibana-plugin-public.savedobjectsstart.md |  38 +-
 ...plugin-public.savedobjectsupdateoptions.md |  42 +-
 ...edobjectsupdateoptions.migrationversion.md |  26 +-
 ...ic.savedobjectsupdateoptions.references.md |  22 +-
 ...ublic.savedobjectsupdateoptions.version.md |  22 +-
 ...-public.simplesavedobject._constructor_.md |  42 +-
 ...lugin-public.simplesavedobject._version.md |  22 +-
 ...gin-public.simplesavedobject.attributes.md |  22 +-
 ...-plugin-public.simplesavedobject.delete.md |  30 +-
 ...a-plugin-public.simplesavedobject.error.md |  22 +-
 ...ana-plugin-public.simplesavedobject.get.md |  44 +-
 ...ana-plugin-public.simplesavedobject.has.md |  44 +-
 ...bana-plugin-public.simplesavedobject.id.md |  22 +-
 .../kibana-plugin-public.simplesavedobject.md |  88 ++--
 ...blic.simplesavedobject.migrationversion.md |  22 +-
 ...gin-public.simplesavedobject.references.md |  22 +-
 ...na-plugin-public.simplesavedobject.save.md |  30 +-
 ...ana-plugin-public.simplesavedobject.set.md |  46 +-
 ...na-plugin-public.simplesavedobject.type.md |  22 +-
 .../kibana-plugin-public.stringvalidation.md  |  26 +-
 ...ana-plugin-public.stringvalidationregex.md |  42 +-
 ...in-public.stringvalidationregex.message.md |  22 +-
 ...ugin-public.stringvalidationregex.regex.md |  22 +-
 ...ugin-public.stringvalidationregexstring.md |  42 +-
 ...lic.stringvalidationregexstring.message.md |  22 +-
 ...stringvalidationregexstring.regexstring.md |  22 +-
 .../core/public/kibana-plugin-public.toast.md |  26 +-
 .../public/kibana-plugin-public.toastinput.md |  26 +-
 .../kibana-plugin-public.toastinputfields.md  |  42 +-
 ...a-plugin-public.toastsapi._constructor_.md |  44 +-
 .../kibana-plugin-public.toastsapi.add.md     |  52 +-
 ...ibana-plugin-public.toastsapi.adddanger.md |  52 +-
 ...kibana-plugin-public.toastsapi.adderror.md |  54 +--
 ...bana-plugin-public.toastsapi.addsuccess.md |  52 +-
 ...bana-plugin-public.toastsapi.addwarning.md |  52 +-
 .../kibana-plugin-public.toastsapi.get_.md    |  34 +-
 .../public/kibana-plugin-public.toastsapi.md  |  64 +--
 .../kibana-plugin-public.toastsapi.remove.md  |  48 +-
 .../kibana-plugin-public.toastssetup.md       |  26 +-
 .../kibana-plugin-public.toastsstart.md       |  26 +-
 ...plugin-public.uisettingsparams.category.md |  26 +-
 ...gin-public.uisettingsparams.deprecation.md |  26 +-
 ...gin-public.uisettingsparams.description.md |  26 +-
 .../kibana-plugin-public.uisettingsparams.md  |  60 +--
 ...ana-plugin-public.uisettingsparams.name.md |  26 +-
 ...in-public.uisettingsparams.optionlabels.md |  26 +-
 ...-plugin-public.uisettingsparams.options.md |  26 +-
 ...plugin-public.uisettingsparams.readonly.md |  26 +-
 ...lic.uisettingsparams.requirespagereload.md |  26 +-
 ...ana-plugin-public.uisettingsparams.type.md |  26 +-
 ...ugin-public.uisettingsparams.validation.md |  22 +-
 ...na-plugin-public.uisettingsparams.value.md |  26 +-
 .../kibana-plugin-public.uisettingsstate.md   |  24 +-
 .../kibana-plugin-public.uisettingstype.md    |  26 +-
 .../kibana-plugin-public.unmountcallback.md   |  26 +-
 ...-public.userprovidedvalues.isoverridden.md |  22 +-
 ...kibana-plugin-public.userprovidedvalues.md |  42 +-
 ...gin-public.userprovidedvalues.uservalue.md |  22 +-
 docs/development/core/server/index.md         |  24 +-
 .../server/kibana-plugin-server.apicaller.md  |  24 +-
 ...in-server.assistanceapiresponse.indices.md |  30 +-
 ...ana-plugin-server.assistanceapiresponse.md |  38 +-
 ...-plugin-server.assistantapiclientparams.md |  40 +-
 ...-server.assistantapiclientparams.method.md |  22 +-
 ...in-server.assistantapiclientparams.path.md |  22 +-
 .../kibana-plugin-server.authenticated.md     |  38 +-
 ...kibana-plugin-server.authenticated.type.md |  22 +-
 ...ana-plugin-server.authenticationhandler.md |  26 +-
 .../kibana-plugin-server.authheaders.md       |  26 +-
 .../server/kibana-plugin-server.authresult.md |  24 +-
 .../kibana-plugin-server.authresultparams.md  |  44 +-
 ...-server.authresultparams.requestheaders.md |  26 +-
 ...server.authresultparams.responseheaders.md |  26 +-
 ...na-plugin-server.authresultparams.state.md |  26 +-
 .../kibana-plugin-server.authresulttype.md    |  38 +-
 .../server/kibana-plugin-server.authstatus.md |  44 +-
 ...plugin-server.authtoolkit.authenticated.md |  26 +-
 .../kibana-plugin-server.authtoolkit.md       |  40 +-
 .../kibana-plugin-server.basepath.get.md      |  26 +-
 .../server/kibana-plugin-server.basepath.md   |  56 +--
 .../kibana-plugin-server.basepath.prepend.md  |  26 +-
 .../kibana-plugin-server.basepath.remove.md   |  26 +-
 ...a-plugin-server.basepath.serverbasepath.md |  30 +-
 .../kibana-plugin-server.basepath.set.md      |  26 +-
 .../kibana-plugin-server.callapioptions.md    |  42 +-
 ...ana-plugin-server.callapioptions.signal.md |  26 +-
 ...gin-server.callapioptions.wrap401errors.md |  26 +-
 ...na-plugin-server.capabilities.catalogue.md |  26 +-
 ...a-plugin-server.capabilities.management.md |  30 +-
 .../kibana-plugin-server.capabilities.md      |  44 +-
 ...ana-plugin-server.capabilities.navlinks.md |  26 +-
 ...bana-plugin-server.capabilitiesprovider.md |  26 +-
 .../kibana-plugin-server.capabilitiessetup.md |  54 +--
 ...rver.capabilitiessetup.registerprovider.md |  92 ++--
 ...rver.capabilitiessetup.registerswitcher.md |  94 ++--
 .../kibana-plugin-server.capabilitiesstart.md |  40 +-
 ...r.capabilitiesstart.resolvecapabilities.md |  48 +-
 ...bana-plugin-server.capabilitiesswitcher.md |  26 +-
 ...ugin-server.clusterclient._constructor_.md |  44 +-
 ...na-plugin-server.clusterclient.asscoped.md |  48 +-
 ...server.clusterclient.callasinternaluser.md |  26 +-
 ...ibana-plugin-server.clusterclient.close.md |  34 +-
 .../kibana-plugin-server.clusterclient.md     |  70 +--
 .../kibana-plugin-server.configdeprecation.md |  36 +-
 ...-plugin-server.configdeprecationfactory.md |  72 +--
 ...-server.configdeprecationfactory.rename.md |  72 +--
 ...configdeprecationfactory.renamefromroot.md |  76 +--
 ...-server.configdeprecationfactory.unused.md |  70 +--
 ...configdeprecationfactory.unusedfromroot.md |  74 +--
 ...a-plugin-server.configdeprecationlogger.md |  26 +-
 ...plugin-server.configdeprecationprovider.md |  56 +--
 .../server/kibana-plugin-server.configpath.md |  24 +-
 ...ver.contextsetup.createcontextcontainer.md |  34 +-
 .../kibana-plugin-server.contextsetup.md      | 276 +++++------
 ...na-plugin-server.coresetup.capabilities.md |  26 +-
 .../kibana-plugin-server.coresetup.context.md |  26 +-
 ...a-plugin-server.coresetup.elasticsearch.md |  26 +-
 ...lugin-server.coresetup.getstartservices.md |  34 +-
 .../kibana-plugin-server.coresetup.http.md    |  26 +-
 .../server/kibana-plugin-server.coresetup.md  |  64 +--
 ...na-plugin-server.coresetup.savedobjects.md |  26 +-
 ...bana-plugin-server.coresetup.uisettings.md |  26 +-
 .../kibana-plugin-server.coresetup.uuid.md    |  26 +-
 ...na-plugin-server.corestart.capabilities.md |  26 +-
 .../server/kibana-plugin-server.corestart.md  |  44 +-
 ...na-plugin-server.corestart.savedobjects.md |  26 +-
 ...bana-plugin-server.corestart.uisettings.md |  26 +-
 .../kibana-plugin-server.cspconfig.default.md |  22 +-
 .../kibana-plugin-server.cspconfig.header.md  |  22 +-
 .../server/kibana-plugin-server.cspconfig.md  |  56 +--
 .../kibana-plugin-server.cspconfig.rules.md   |  22 +-
 .../kibana-plugin-server.cspconfig.strict.md  |  22 +-
 ...gin-server.cspconfig.warnlegacybrowsers.md |  22 +-
 ...n-server.customhttpresponseoptions.body.md |  26 +-
 ...erver.customhttpresponseoptions.headers.md |  26 +-
 ...plugin-server.customhttpresponseoptions.md |  44 +-
 ...er.customhttpresponseoptions.statuscode.md |  22 +-
 ...lugin-server.deprecationapiclientparams.md |  40 +-
 ...erver.deprecationapiclientparams.method.md |  22 +-
 ...-server.deprecationapiclientparams.path.md |  22 +-
 ...deprecationapiresponse.cluster_settings.md |  22 +-
 ...r.deprecationapiresponse.index_settings.md |  22 +-
 ...na-plugin-server.deprecationapiresponse.md |  44 +-
 ...rver.deprecationapiresponse.ml_settings.md |  22 +-
 ...er.deprecationapiresponse.node_settings.md |  22 +-
 ...a-plugin-server.deprecationinfo.details.md |  22 +-
 ...ana-plugin-server.deprecationinfo.level.md |  22 +-
 .../kibana-plugin-server.deprecationinfo.md   |  44 +-
 ...a-plugin-server.deprecationinfo.message.md |  22 +-
 ...ibana-plugin-server.deprecationinfo.url.md |  22 +-
 ...-server.deprecationsettings.doclinkskey.md |  26 +-
 ...ibana-plugin-server.deprecationsettings.md |  42 +-
 ...ugin-server.deprecationsettings.message.md |  26 +-
 ...ugin-server.discoveredplugin.configpath.md |  26 +-
 ...ibana-plugin-server.discoveredplugin.id.md |  26 +-
 .../kibana-plugin-server.discoveredplugin.md  |  46 +-
 ...server.discoveredplugin.optionalplugins.md |  26 +-
 ...server.discoveredplugin.requiredplugins.md |  26 +-
 ...plugin-server.elasticsearchclientconfig.md |  34 +-
 ...plugin-server.elasticsearcherror._code_.md |  22 +-
 ...kibana-plugin-server.elasticsearcherror.md |  38 +-
 ...errorhelpers.decoratenotauthorizederror.md |  46 +-
 ...searcherrorhelpers.isnotauthorizederror.md |  44 +-
 ...plugin-server.elasticsearcherrorhelpers.md |  70 +--
 ...r.elasticsearchservicesetup.adminclient.md |  44 +-
 ....elasticsearchservicesetup.createclient.md |  46 +-
 ...er.elasticsearchservicesetup.dataclient.md |  44 +-
 ...plugin-server.elasticsearchservicesetup.md |  42 +-
 ...ibana-plugin-server.environmentmode.dev.md |  22 +-
 .../kibana-plugin-server.environmentmode.md   |  42 +-
 ...bana-plugin-server.environmentmode.name.md |  22 +-
 ...bana-plugin-server.environmentmode.prod.md |  22 +-
 ...in-server.errorhttpresponseoptions.body.md |  26 +-
 ...server.errorhttpresponseoptions.headers.md |  26 +-
 ...-plugin-server.errorhttpresponseoptions.md |  42 +-
 ...ibana-plugin-server.fakerequest.headers.md |  26 +-
 .../kibana-plugin-server.fakerequest.md       |  40 +-
 .../kibana-plugin-server.getauthheaders.md    |  26 +-
 .../kibana-plugin-server.getauthstate.md      |  32 +-
 ...kibana-plugin-server.handlercontexttype.md |  26 +-
 .../kibana-plugin-server.handlerfunction.md   |  26 +-
 .../kibana-plugin-server.handlerparameters.md |  26 +-
 .../server/kibana-plugin-server.headers.md    |  34 +-
 ...-plugin-server.httpresponseoptions.body.md |  26 +-
 ...ugin-server.httpresponseoptions.headers.md |  26 +-
 ...ibana-plugin-server.httpresponseoptions.md |  42 +-
 ...ibana-plugin-server.httpresponsepayload.md |  26 +-
 ...ana-plugin-server.httpservicesetup.auth.md |  28 +-
 ...plugin-server.httpservicesetup.basepath.md |  26 +-
 ...setup.createcookiesessionstoragefactory.md |  26 +-
 ...in-server.httpservicesetup.createrouter.md |  56 +--
 ...bana-plugin-server.httpservicesetup.csp.md |  26 +-
 ...in-server.httpservicesetup.istlsenabled.md |  26 +-
 .../kibana-plugin-server.httpservicesetup.md  | 190 ++++----
 ...in-server.httpservicesetup.registerauth.md |  36 +-
 ...ver.httpservicesetup.registeronpostauth.md |  36 +-
 ...rver.httpservicesetup.registeronpreauth.md |  36 +-
 ....httpservicesetup.registeronpreresponse.md |  36 +-
 ...ervicesetup.registerroutehandlercontext.md |  74 +--
 ...gin-server.httpservicestart.islistening.md |  26 +-
 .../kibana-plugin-server.httpservicestart.md  |  38 +-
 .../server/kibana-plugin-server.ibasepath.md  |  30 +-
 .../kibana-plugin-server.iclusterclient.md    |  30 +-
 ...-server.icontextcontainer.createhandler.md |  54 +--
 .../kibana-plugin-server.icontextcontainer.md | 160 +++---
 ...erver.icontextcontainer.registercontext.md |  68 +--
 .../kibana-plugin-server.icontextprovider.md  |  36 +-
 .../kibana-plugin-server.icspconfig.header.md |  26 +-
 .../server/kibana-plugin-server.icspconfig.md |  46 +-
 .../kibana-plugin-server.icspconfig.rules.md  |  26 +-
 .../kibana-plugin-server.icspconfig.strict.md |  26 +-
 ...in-server.icspconfig.warnlegacybrowsers.md |  26 +-
 ...bana-plugin-server.icustomclusterclient.md |  30 +-
 .../kibana-plugin-server.ikibanaresponse.md   |  44 +-
 ...a-plugin-server.ikibanaresponse.options.md |  22 +-
 ...a-plugin-server.ikibanaresponse.payload.md |  22 +-
 ...na-plugin-server.ikibanaresponse.status.md |  22 +-
 ...server.ikibanasocket.authorizationerror.md |  26 +-
 ...-plugin-server.ikibanasocket.authorized.md |  26 +-
 ...server.ikibanasocket.getpeercertificate.md |  44 +-
 ...rver.ikibanasocket.getpeercertificate_1.md |  44 +-
 ...rver.ikibanasocket.getpeercertificate_2.md |  52 +-
 .../kibana-plugin-server.ikibanasocket.md     |  58 +--
 ...a-plugin-server.imagevalidation.maxsize.md |  28 +-
 .../kibana-plugin-server.imagevalidation.md   |  38 +-
 ...gin-server.indexsettingsdeprecationinfo.md |  24 +-
 ...rver.irenderoptions.includeusersettings.md |  26 +-
 .../kibana-plugin-server.irenderoptions.md    |  38 +-
 .../kibana-plugin-server.irouter.delete.md    |  26 +-
 .../kibana-plugin-server.irouter.get.md       |  26 +-
 ...lugin-server.irouter.handlelegacyerrors.md |  26 +-
 .../server/kibana-plugin-server.irouter.md    |  52 +-
 .../kibana-plugin-server.irouter.patch.md     |  26 +-
 .../kibana-plugin-server.irouter.post.md      |  26 +-
 .../kibana-plugin-server.irouter.put.md       |  26 +-
 ...kibana-plugin-server.irouter.routerpath.md |  26 +-
 .../kibana-plugin-server.isauthenticated.md   |  26 +-
 ...a-plugin-server.isavedobjectsrepository.md |  26 +-
 ...bana-plugin-server.iscopedclusterclient.md |  30 +-
 ...na-plugin-server.iscopedrenderingclient.md |  38 +-
 ...in-server.iscopedrenderingclient.render.md |  82 ++--
 ...ana-plugin-server.iuisettingsclient.get.md |  26 +-
 ...-plugin-server.iuisettingsclient.getall.md |  26 +-
 ...-server.iuisettingsclient.getregistered.md |  26 +-
 ...erver.iuisettingsclient.getuserprovided.md |  26 +-
 ...n-server.iuisettingsclient.isoverridden.md |  26 +-
 .../kibana-plugin-server.iuisettingsclient.md |  56 +--
 ...-plugin-server.iuisettingsclient.remove.md |  26 +-
 ...gin-server.iuisettingsclient.removemany.md |  26 +-
 ...ana-plugin-server.iuisettingsclient.set.md |  26 +-
 ...plugin-server.iuisettingsclient.setmany.md |  26 +-
 ...ugin-server.kibanarequest._constructor_.md |  48 +-
 ...kibana-plugin-server.kibanarequest.body.md |  22 +-
 ...bana-plugin-server.kibanarequest.events.md |  26 +-
 ...ana-plugin-server.kibanarequest.headers.md |  36 +-
 ...in-server.kibanarequest.issystemrequest.md |  26 +-
 .../kibana-plugin-server.kibanarequest.md     |  68 +--
 ...bana-plugin-server.kibanarequest.params.md |  22 +-
 ...ibana-plugin-server.kibanarequest.query.md |  22 +-
 ...ibana-plugin-server.kibanarequest.route.md |  26 +-
 ...bana-plugin-server.kibanarequest.socket.md |  26 +-
 .../kibana-plugin-server.kibanarequest.url.md |  26 +-
 ...gin-server.kibanarequestevents.aborted_.md |  26 +-
 ...ibana-plugin-server.kibanarequestevents.md |  40 +-
 ...kibana-plugin-server.kibanarequestroute.md |  44 +-
 ...plugin-server.kibanarequestroute.method.md |  22 +-
 ...lugin-server.kibanarequestroute.options.md |  22 +-
 ...a-plugin-server.kibanarequestroute.path.md |  22 +-
 ...plugin-server.kibanarequestrouteoptions.md |  26 +-
 ...ana-plugin-server.kibanaresponsefactory.md | 236 ++++-----
 .../kibana-plugin-server.knownheaders.md      |  26 +-
 .../kibana-plugin-server.legacyrequest.md     |  32 +-
 ...ugin-server.legacyservicesetupdeps.core.md |  22 +-
 ...na-plugin-server.legacyservicesetupdeps.md |  46 +-
 ...n-server.legacyservicesetupdeps.plugins.md |  22 +-
 ...ugin-server.legacyservicestartdeps.core.md |  22 +-
 ...na-plugin-server.legacyservicestartdeps.md |  46 +-
 ...n-server.legacyservicestartdeps.plugins.md |  22 +-
 ...-plugin-server.lifecycleresponsefactory.md |  26 +-
 .../kibana-plugin-server.logger.debug.md      |  50 +-
 .../kibana-plugin-server.logger.error.md      |  50 +-
 .../kibana-plugin-server.logger.fatal.md      |  50 +-
 .../server/kibana-plugin-server.logger.get.md |  66 +--
 .../kibana-plugin-server.logger.info.md       |  50 +-
 .../server/kibana-plugin-server.logger.md     |  52 +-
 .../kibana-plugin-server.logger.trace.md      |  50 +-
 .../kibana-plugin-server.logger.warn.md       |  50 +-
 .../kibana-plugin-server.loggerfactory.get.md |  48 +-
 .../kibana-plugin-server.loggerfactory.md     |  40 +-
 .../server/kibana-plugin-server.logmeta.md    |  26 +-
 .../core/server/kibana-plugin-server.md       | 456 +++++++++---------
 ...erver.migration_assistance_index_action.md |  24 +-
 ...ugin-server.migration_deprecation_level.md |  24 +-
 ...-server.mutatingoperationrefreshsetting.md |  26 +-
 .../kibana-plugin-server.onpostauthhandler.md |  26 +-
 .../kibana-plugin-server.onpostauthtoolkit.md |  40 +-
 ...na-plugin-server.onpostauthtoolkit.next.md |  26 +-
 .../kibana-plugin-server.onpreauthhandler.md  |  26 +-
 .../kibana-plugin-server.onpreauthtoolkit.md  |  42 +-
 ...ana-plugin-server.onpreauthtoolkit.next.md |  26 +-
 ...ugin-server.onpreauthtoolkit.rewriteurl.md |  26 +-
 ...-server.onpreresponseextensions.headers.md |  26 +-
 ...a-plugin-server.onpreresponseextensions.md |  40 +-
 ...bana-plugin-server.onpreresponsehandler.md |  26 +-
 .../kibana-plugin-server.onpreresponseinfo.md |  40 +-
 ...gin-server.onpreresponseinfo.statuscode.md |  22 +-
 ...bana-plugin-server.onpreresponsetoolkit.md |  40 +-
 ...plugin-server.onpreresponsetoolkit.next.md |  26 +-
 ...kibana-plugin-server.packageinfo.branch.md |  22 +-
 ...bana-plugin-server.packageinfo.buildnum.md |  22 +-
 ...bana-plugin-server.packageinfo.buildsha.md |  22 +-
 .../kibana-plugin-server.packageinfo.dist.md  |  22 +-
 .../kibana-plugin-server.packageinfo.md       |  46 +-
 ...ibana-plugin-server.packageinfo.version.md |  22 +-
 .../server/kibana-plugin-server.plugin.md     |  44 +-
 .../kibana-plugin-server.plugin.setup.md      |  46 +-
 .../kibana-plugin-server.plugin.start.md      |  46 +-
 .../kibana-plugin-server.plugin.stop.md       |  30 +-
 ...ver.pluginconfigdescriptor.deprecations.md |  26 +-
 ....pluginconfigdescriptor.exposetobrowser.md |  30 +-
 ...na-plugin-server.pluginconfigdescriptor.md | 100 ++--
 ...in-server.pluginconfigdescriptor.schema.md |  30 +-
 ...kibana-plugin-server.pluginconfigschema.md |  26 +-
 .../kibana-plugin-server.plugininitializer.md |  26 +-
 ...-server.plugininitializercontext.config.md |  34 +-
 ...gin-server.plugininitializercontext.env.md |  28 +-
 ...-server.plugininitializercontext.logger.md |  22 +-
 ...-plugin-server.plugininitializercontext.md |  46 +-
 ...erver.plugininitializercontext.opaqueid.md |  22 +-
 ...plugin-server.pluginmanifest.configpath.md |  36 +-
 .../kibana-plugin-server.pluginmanifest.id.md |  26 +-
 ...gin-server.pluginmanifest.kibanaversion.md |  26 +-
 .../kibana-plugin-server.pluginmanifest.md    |  62 +--
 ...n-server.pluginmanifest.optionalplugins.md |  26 +-
 ...n-server.pluginmanifest.requiredplugins.md |  26 +-
 ...ana-plugin-server.pluginmanifest.server.md |  26 +-
 .../kibana-plugin-server.pluginmanifest.ui.md |  26 +-
 ...na-plugin-server.pluginmanifest.version.md |  26 +-
 .../server/kibana-plugin-server.pluginname.md |  26 +-
 .../kibana-plugin-server.pluginopaqueid.md    |  24 +-
 ...in-server.pluginsservicesetup.contracts.md |  22 +-
 ...ibana-plugin-server.pluginsservicesetup.md |  40 +-
 ...in-server.pluginsservicesetup.uiplugins.md |  30 +-
 ...in-server.pluginsservicestart.contracts.md |  22 +-
 ...ibana-plugin-server.pluginsservicestart.md |  38 +-
 .../kibana-plugin-server.recursivereadonly.md |  28 +-
 ...a-plugin-server.redirectresponseoptions.md |  34 +-
 .../kibana-plugin-server.requesthandler.md    |  84 ++--
 ...lugin-server.requesthandlercontext.core.md |  46 +-
 ...ana-plugin-server.requesthandlercontext.md |  44 +-
 ...n-server.requesthandlercontextcontainer.md |  26 +-
 ...in-server.requesthandlercontextprovider.md |  26 +-
 .../kibana-plugin-server.responseerror.md     |  32 +-
 ...a-plugin-server.responseerrorattributes.md |  26 +-
 .../kibana-plugin-server.responseheaders.md   |  34 +-
 .../kibana-plugin-server.routeconfig.md       |  44 +-
 ...ibana-plugin-server.routeconfig.options.md |  26 +-
 .../kibana-plugin-server.routeconfig.path.md  |  36 +-
 ...bana-plugin-server.routeconfig.validate.md | 124 ++---
 ...-server.routeconfigoptions.authrequired.md |  30 +-
 ...a-plugin-server.routeconfigoptions.body.md |  26 +-
 ...kibana-plugin-server.routeconfigoptions.md |  44 +-
 ...a-plugin-server.routeconfigoptions.tags.md |  26 +-
 ...n-server.routeconfigoptionsbody.accepts.md |  30 +-
 ...-server.routeconfigoptionsbody.maxbytes.md |  30 +-
 ...na-plugin-server.routeconfigoptionsbody.md |  46 +-
 ...in-server.routeconfigoptionsbody.output.md |  30 +-
 ...gin-server.routeconfigoptionsbody.parse.md |  30 +-
 .../kibana-plugin-server.routecontenttype.md  |  26 +-
 .../kibana-plugin-server.routemethod.md       |  26 +-
 .../kibana-plugin-server.routeregistrar.md    |  26 +-
 ...rver.routevalidationerror._constructor_.md |  42 +-
 ...bana-plugin-server.routevalidationerror.md |  40 +-
 ...a-plugin-server.routevalidationfunction.md |  84 ++--
 ...routevalidationresultfactory.badrequest.md |  26 +-
 ...gin-server.routevalidationresultfactory.md |  46 +-
 ...-server.routevalidationresultfactory.ok.md |  26 +-
 ...ibana-plugin-server.routevalidationspec.md |  30 +-
 ...plugin-server.routevalidatorconfig.body.md |  26 +-
 ...bana-plugin-server.routevalidatorconfig.md |  44 +-
 ...ugin-server.routevalidatorconfig.params.md |  26 +-
 ...lugin-server.routevalidatorconfig.query.md |  26 +-
 ...-plugin-server.routevalidatorfullconfig.md |  26 +-
 ...ana-plugin-server.routevalidatoroptions.md |  40 +-
 ...gin-server.routevalidatoroptions.unsafe.md |  34 +-
 ...na-plugin-server.savedobject.attributes.md |  26 +-
 .../kibana-plugin-server.savedobject.error.md |  28 +-
 .../kibana-plugin-server.savedobject.id.md    |  26 +-
 .../kibana-plugin-server.savedobject.md       |  52 +-
 ...gin-server.savedobject.migrationversion.md |  26 +-
 ...na-plugin-server.savedobject.references.md |  26 +-
 .../kibana-plugin-server.savedobject.type.md  |  26 +-
 ...na-plugin-server.savedobject.updated_at.md |  26 +-
 ...ibana-plugin-server.savedobject.version.md |  26 +-
 ...bana-plugin-server.savedobjectattribute.md |  26 +-
 ...ana-plugin-server.savedobjectattributes.md |  26 +-
 ...lugin-server.savedobjectattributesingle.md |  26 +-
 ...a-plugin-server.savedobjectreference.id.md |  22 +-
 ...bana-plugin-server.savedobjectreference.md |  44 +-
 ...plugin-server.savedobjectreference.name.md |  22 +-
 ...plugin-server.savedobjectreference.type.md |  22 +-
 ...a-plugin-server.savedobjectsbaseoptions.md |  38 +-
 ...erver.savedobjectsbaseoptions.namespace.md |  26 +-
 ...savedobjectsbulkcreateobject.attributes.md |  22 +-
 ...-server.savedobjectsbulkcreateobject.id.md |  22 +-
 ...gin-server.savedobjectsbulkcreateobject.md |  46 +-
 ...bjectsbulkcreateobject.migrationversion.md |  26 +-
 ...savedobjectsbulkcreateobject.references.md |  22 +-
 ...erver.savedobjectsbulkcreateobject.type.md |  22 +-
 ...server.savedobjectsbulkgetobject.fields.md |  26 +-
 ...gin-server.savedobjectsbulkgetobject.id.md |  22 +-
 ...plugin-server.savedobjectsbulkgetobject.md |  42 +-
 ...n-server.savedobjectsbulkgetobject.type.md |  22 +-
 ...-plugin-server.savedobjectsbulkresponse.md |  38 +-
 ....savedobjectsbulkresponse.saved_objects.md |  22 +-
 ...savedobjectsbulkupdateobject.attributes.md |  26 +-
 ...-server.savedobjectsbulkupdateobject.id.md |  26 +-
 ...gin-server.savedobjectsbulkupdateobject.md |  42 +-
 ...erver.savedobjectsbulkupdateobject.type.md |  26 +-
 ...in-server.savedobjectsbulkupdateoptions.md |  38 +-
 ...r.savedobjectsbulkupdateoptions.refresh.md |  26 +-
 ...n-server.savedobjectsbulkupdateresponse.md |  38 +-
 ...objectsbulkupdateresponse.saved_objects.md |  22 +-
 ...in-server.savedobjectsclient.bulkcreate.md |  50 +-
 ...lugin-server.savedobjectsclient.bulkget.md |  58 +--
 ...in-server.savedobjectsclient.bulkupdate.md |  50 +-
 ...plugin-server.savedobjectsclient.create.md |  52 +-
 ...plugin-server.savedobjectsclient.delete.md |  52 +-
 ...plugin-server.savedobjectsclient.errors.md |  22 +-
 ...a-plugin-server.savedobjectsclient.find.md |  48 +-
 ...na-plugin-server.savedobjectsclient.get.md |  52 +-
 ...kibana-plugin-server.savedobjectsclient.md |  72 +--
 ...plugin-server.savedobjectsclient.update.md |  54 +--
 ...lugin-server.savedobjectsclientcontract.md |  86 ++--
 ...plugin-server.savedobjectsclientfactory.md |  30 +-
 ...erver.savedobjectsclientfactoryprovider.md |  26 +-
 ...sclientprovideroptions.excludedwrappers.md |  22 +-
 ...erver.savedobjectsclientprovideroptions.md |  40 +-
 ...server.savedobjectsclientwrapperfactory.md |  26 +-
 ...savedobjectsclientwrapperoptions.client.md |  22 +-
 ...server.savedobjectsclientwrapperoptions.md |  42 +-
 ...avedobjectsclientwrapperoptions.request.md |  22 +-
 ...gin-server.savedobjectscreateoptions.id.md |  26 +-
 ...plugin-server.savedobjectscreateoptions.md |  46 +-
 ...edobjectscreateoptions.migrationversion.md |  26 +-
 ...ver.savedobjectscreateoptions.overwrite.md |  26 +-
 ...er.savedobjectscreateoptions.references.md |  22 +-
 ...erver.savedobjectscreateoptions.refresh.md |  26 +-
 ...er.savedobjectsdeletebynamespaceoptions.md |  38 +-
 ...objectsdeletebynamespaceoptions.refresh.md |  26 +-
 ...plugin-server.savedobjectsdeleteoptions.md |  38 +-
 ...erver.savedobjectsdeleteoptions.refresh.md |  26 +-
 ...jectserrorhelpers.createbadrequesterror.md |  44 +-
 ...rorhelpers.createesautocreateindexerror.md |  30 +-
 ...errorhelpers.creategenericnotfounderror.md |  46 +-
 ...serrorhelpers.createinvalidversionerror.md |  44 +-
 ...errorhelpers.createunsupportedtypeerror.md |  44 +-
 ...ctserrorhelpers.decoratebadrequesterror.md |  46 +-
 ...jectserrorhelpers.decorateconflicterror.md |  46 +-
 ...errorhelpers.decorateesunavailableerror.md |  46 +-
 ...ectserrorhelpers.decorateforbiddenerror.md |  46 +-
 ...bjectserrorhelpers.decorategeneralerror.md |  46 +-
 ...errorhelpers.decoratenotauthorizederror.md |  46 +-
 ...pers.decoraterequestentitytoolargeerror.md |  46 +-
 ...edobjectserrorhelpers.isbadrequesterror.md |  44 +-
 ...avedobjectserrorhelpers.isconflicterror.md |  44 +-
 ...tserrorhelpers.isesautocreateindexerror.md |  44 +-
 ...bjectserrorhelpers.isesunavailableerror.md |  44 +-
 ...vedobjectserrorhelpers.isforbiddenerror.md |  44 +-
 ...jectserrorhelpers.isinvalidversionerror.md |  44 +-
 ...bjectserrorhelpers.isnotauthorizederror.md |  44 +-
 ...avedobjectserrorhelpers.isnotfounderror.md |  44 +-
 ...rorhelpers.isrequestentitytoolargeerror.md |  44 +-
 ...serrorhelpers.issavedobjectsclienterror.md |  44 +-
 ...-plugin-server.savedobjectserrorhelpers.md |  80 +--
 ...jectsexportoptions.excludeexportdetails.md |  26 +-
 ...vedobjectsexportoptions.exportsizelimit.md |  26 +-
 ...ectsexportoptions.includereferencesdeep.md |  26 +-
 ...plugin-server.savedobjectsexportoptions.md |  54 +--
 ...ver.savedobjectsexportoptions.namespace.md |  26 +-
 ...erver.savedobjectsexportoptions.objects.md |  32 +-
 ...objectsexportoptions.savedobjectsclient.md |  26 +-
 ...server.savedobjectsexportoptions.search.md |  26 +-
 ...-server.savedobjectsexportoptions.types.md |  26 +-
 ...bjectsexportresultdetails.exportedcount.md |  26 +-
 ...-server.savedobjectsexportresultdetails.md |  44 +-
 ...ectsexportresultdetails.missingrefcount.md |  26 +-
 ...tsexportresultdetails.missingreferences.md |  32 +-
 ...bjectsfindoptions.defaultsearchoperator.md |  22 +-
 ...n-server.savedobjectsfindoptions.fields.md |  36 +-
 ...n-server.savedobjectsfindoptions.filter.md |  22 +-
 ...er.savedobjectsfindoptions.hasreference.md |  28 +-
 ...a-plugin-server.savedobjectsfindoptions.md |  58 +--
 ...gin-server.savedobjectsfindoptions.page.md |  22 +-
 ...-server.savedobjectsfindoptions.perpage.md |  22 +-
 ...n-server.savedobjectsfindoptions.search.md |  26 +-
 ...er.savedobjectsfindoptions.searchfields.md |  26 +-
 ...erver.savedobjectsfindoptions.sortfield.md |  22 +-
 ...erver.savedobjectsfindoptions.sortorder.md |  22 +-
 ...gin-server.savedobjectsfindoptions.type.md |  22 +-
 ...-plugin-server.savedobjectsfindresponse.md |  50 +-
 ...in-server.savedobjectsfindresponse.page.md |  22 +-
 ...erver.savedobjectsfindresponse.per_page.md |  22 +-
 ....savedobjectsfindresponse.saved_objects.md |  22 +-
 ...n-server.savedobjectsfindresponse.total.md |  22 +-
 ...-server.savedobjectsimportconflicterror.md |  40 +-
 ...er.savedobjectsimportconflicterror.type.md |  22 +-
 ...in-server.savedobjectsimporterror.error.md |  22 +-
 ...lugin-server.savedobjectsimporterror.id.md |  22 +-
 ...a-plugin-server.savedobjectsimporterror.md |  46 +-
 ...in-server.savedobjectsimporterror.title.md |  22 +-
 ...gin-server.savedobjectsimporterror.type.md |  22 +-
 ...tsimportmissingreferenceserror.blocking.md |  28 +-
 ...avedobjectsimportmissingreferenceserror.md |  44 +-
 ...importmissingreferenceserror.references.md |  28 +-
 ...bjectsimportmissingreferenceserror.type.md |  22 +-
 ...plugin-server.savedobjectsimportoptions.md |  50 +-
 ...ver.savedobjectsimportoptions.namespace.md |  22 +-
 ...r.savedobjectsimportoptions.objectlimit.md |  22 +-
 ...ver.savedobjectsimportoptions.overwrite.md |  22 +-
 ...er.savedobjectsimportoptions.readstream.md |  22 +-
 ...objectsimportoptions.savedobjectsclient.md |  22 +-
 ...avedobjectsimportoptions.supportedtypes.md |  22 +-
 ...erver.savedobjectsimportresponse.errors.md |  22 +-
 ...lugin-server.savedobjectsimportresponse.md |  44 +-
 ...rver.savedobjectsimportresponse.success.md |  22 +-
 ...savedobjectsimportresponse.successcount.md |  22 +-
 ...lugin-server.savedobjectsimportretry.id.md |  22 +-
 ...a-plugin-server.savedobjectsimportretry.md |  46 +-
 ...erver.savedobjectsimportretry.overwrite.md |  22 +-
 ...vedobjectsimportretry.replacereferences.md |  30 +-
 ...gin-server.savedobjectsimportretry.type.md |  22 +-
 ...n-server.savedobjectsimportunknownerror.md |  44 +-
 ....savedobjectsimportunknownerror.message.md |  22 +-
 ...vedobjectsimportunknownerror.statuscode.md |  22 +-
 ...ver.savedobjectsimportunknownerror.type.md |  22 +-
 ....savedobjectsimportunsupportedtypeerror.md |  40 +-
 ...dobjectsimportunsupportedtypeerror.type.md |  22 +-
 ...ver.savedobjectsincrementcounteroptions.md |  40 +-
 ...ncrementcounteroptions.migrationversion.md |  22 +-
 ...dobjectsincrementcounteroptions.refresh.md |  26 +-
 ...erver.savedobjectsmigrationlogger.debug.md |  22 +-
 ...server.savedobjectsmigrationlogger.info.md |  22 +-
 ...ugin-server.savedobjectsmigrationlogger.md |  42 +-
 ...ver.savedobjectsmigrationlogger.warning.md |  22 +-
 ...gin-server.savedobjectsmigrationversion.md |  36 +-
 ...na-plugin-server.savedobjectsrawdoc._id.md |  22 +-
 ...server.savedobjectsrawdoc._primary_term.md |  22 +-
 ...lugin-server.savedobjectsrawdoc._seq_no.md |  22 +-
 ...lugin-server.savedobjectsrawdoc._source.md |  22 +-
 ...-plugin-server.savedobjectsrawdoc._type.md |  22 +-
 ...kibana-plugin-server.savedobjectsrawdoc.md |  48 +-
 ...erver.savedobjectsrepository.bulkcreate.md |  54 +--
 ...n-server.savedobjectsrepository.bulkget.md |  62 +--
 ...erver.savedobjectsrepository.bulkupdate.md |  54 +--
 ...in-server.savedobjectsrepository.create.md |  56 +--
 ...in-server.savedobjectsrepository.delete.md |  56 +--
 ...avedobjectsrepository.deletebynamespace.md |  54 +--
 ...ugin-server.savedobjectsrepository.find.md |  48 +-
 ...lugin-server.savedobjectsrepository.get.md |  56 +--
 ...savedobjectsrepository.incrementcounter.md |  86 ++--
 ...na-plugin-server.savedobjectsrepository.md |  56 +--
 ...in-server.savedobjectsrepository.update.md |  58 +--
 ...ositoryfactory.createinternalrepository.md |  26 +-
 ...epositoryfactory.createscopedrepository.md |  26 +-
 ...in-server.savedobjectsrepositoryfactory.md |  42 +-
 ....savedobjectsresolveimporterrorsoptions.md |  50 +-
 ...ctsresolveimporterrorsoptions.namespace.md |  22 +-
 ...sresolveimporterrorsoptions.objectlimit.md |  22 +-
 ...tsresolveimporterrorsoptions.readstream.md |  22 +-
 ...jectsresolveimporterrorsoptions.retries.md |  22 +-
 ...eimporterrorsoptions.savedobjectsclient.md |  22 +-
 ...solveimporterrorsoptions.supportedtypes.md |  22 +-
 ...vedobjectsservicesetup.addclientwrapper.md |  26 +-
 ...-plugin-server.savedobjectsservicesetup.md |  66 +--
 ...tsservicesetup.setclientfactoryprovider.md |  26 +-
 ...tsservicestart.createinternalrepository.md |  26 +-
 ...ectsservicestart.createscopedrepository.md |  36 +-
 ...avedobjectsservicestart.getscopedclient.md |  30 +-
 ...-plugin-server.savedobjectsservicestart.md |  44 +-
 ...plugin-server.savedobjectsupdateoptions.md |  42 +-
 ...er.savedobjectsupdateoptions.references.md |  26 +-
 ...erver.savedobjectsupdateoptions.refresh.md |  26 +-
 ...erver.savedobjectsupdateoptions.version.md |  26 +-
 ...r.savedobjectsupdateresponse.attributes.md |  22 +-
 ...lugin-server.savedobjectsupdateresponse.md |  40 +-
 ...r.savedobjectsupdateresponse.references.md |  22 +-
 .../kibana-plugin-server.scopeablerequest.md  |  30 +-
 ...erver.scopedclusterclient._constructor_.md |  44 +-
 ...r.scopedclusterclient.callascurrentuser.md |  52 +-
 ....scopedclusterclient.callasinternaluser.md |  52 +-
 ...ibana-plugin-server.scopedclusterclient.md |  58 +--
 ...r.sessioncookievalidationresult.isvalid.md |  26 +-
 ...in-server.sessioncookievalidationresult.md |  42 +-
 ...rver.sessioncookievalidationresult.path.md |  26 +-
 ...bana-plugin-server.sessionstorage.clear.md |  34 +-
 ...kibana-plugin-server.sessionstorage.get.md |  34 +-
 .../kibana-plugin-server.sessionstorage.md    |  44 +-
 ...kibana-plugin-server.sessionstorage.set.md |  48 +-
 ...ssionstoragecookieoptions.encryptionkey.md |  26 +-
 ...er.sessionstoragecookieoptions.issecure.md |  26 +-
 ...ugin-server.sessionstoragecookieoptions.md |  46 +-
 ...server.sessionstoragecookieoptions.name.md |  26 +-
 ...er.sessionstoragecookieoptions.validate.md |  26 +-
 ...n-server.sessionstoragefactory.asscoped.md |  22 +-
 ...ana-plugin-server.sessionstoragefactory.md |  40 +-
 ...kibana-plugin-server.sharedglobalconfig.md |  32 +-
 .../kibana-plugin-server.stringvalidation.md  |  26 +-
 ...ana-plugin-server.stringvalidationregex.md |  42 +-
 ...in-server.stringvalidationregex.message.md |  22 +-
 ...ugin-server.stringvalidationregex.regex.md |  22 +-
 ...ugin-server.stringvalidationregexstring.md |  42 +-
 ...ver.stringvalidationregexstring.message.md |  22 +-
 ...stringvalidationregexstring.regexstring.md |  22 +-
 ...plugin-server.uisettingsparams.category.md |  26 +-
 ...gin-server.uisettingsparams.deprecation.md |  26 +-
 ...gin-server.uisettingsparams.description.md |  26 +-
 .../kibana-plugin-server.uisettingsparams.md  |  60 +--
 ...ana-plugin-server.uisettingsparams.name.md |  26 +-
 ...in-server.uisettingsparams.optionlabels.md |  26 +-
 ...-plugin-server.uisettingsparams.options.md |  26 +-
 ...plugin-server.uisettingsparams.readonly.md |  26 +-
 ...ver.uisettingsparams.requirespagereload.md |  26 +-
 ...ana-plugin-server.uisettingsparams.type.md |  26 +-
 ...ugin-server.uisettingsparams.validation.md |  22 +-
 ...na-plugin-server.uisettingsparams.value.md |  26 +-
 ...na-plugin-server.uisettingsservicesetup.md |  38 +-
 ...-server.uisettingsservicesetup.register.md |  80 +--
 ...uisettingsservicestart.asscopedtoclient.md |  74 +--
 ...na-plugin-server.uisettingsservicestart.md |  38 +-
 .../kibana-plugin-server.uisettingstype.md    |  26 +-
 ...-server.userprovidedvalues.isoverridden.md |  22 +-
 ...kibana-plugin-server.userprovidedvalues.md |  42 +-
 ...gin-server.userprovidedvalues.uservalue.md |  22 +-
 ...server.uuidservicesetup.getinstanceuuid.md |  34 +-
 .../kibana-plugin-server.uuidservicesetup.md  |  40 +-
 .../kibana-plugin-server.validbodyoutput.md   |  26 +-
 src/dev/precommit_hook/casing_check_config.js |   3 -
 src/dev/run_check_core_api_changes.ts         |   2 +-
 1061 files changed, 18921 insertions(+), 18928 deletions(-)
 delete mode 100644 api-documenter.json

diff --git a/api-documenter.json b/api-documenter.json
deleted file mode 100644
index a2303b939c8ec..0000000000000
--- a/api-documenter.json
+++ /dev/null
@@ -1,4 +0,0 @@
-{
-  "newlineKind": "lf",
-  "outputTarget": "markdown"
-}
diff --git a/docs/development/core/public/index.md b/docs/development/core/public/index.md
index be1aaed88696d..3badb447f0858 100644
--- a/docs/development/core/public/index.md
+++ b/docs/development/core/public/index.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md)
-
-## API Reference
-
-## Packages
-
-|  Package | Description |
-|  --- | --- |
-|  [kibana-plugin-public](./kibana-plugin-public.md) | The Kibana Core APIs for client-side plugins.<!-- -->A plugin's <code>public/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md)
+
+## API Reference
+
+## Packages
+
+|  Package | Description |
+|  --- | --- |
+|  [kibana-plugin-public](./kibana-plugin-public.md) | The Kibana Core APIs for client-side plugins.<!-- -->A plugin's <code>public/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.app.approute.md b/docs/development/core/public/kibana-plugin-public.app.approute.md
index 76c5b7952259f..7f35f4346b6b3 100644
--- a/docs/development/core/public/kibana-plugin-public.app.approute.md
+++ b/docs/development/core/public/kibana-plugin-public.app.approute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [appRoute](./kibana-plugin-public.app.approute.md)
-
-## App.appRoute property
-
-Override the application's routing path from `/app/${id}`<!-- -->. Must be unique across registered applications. Should not include the base path from HTTP.
-
-<b>Signature:</b>
-
-```typescript
-appRoute?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [appRoute](./kibana-plugin-public.app.approute.md)
+
+## App.appRoute property
+
+Override the application's routing path from `/app/${id}`<!-- -->. Must be unique across registered applications. Should not include the base path from HTTP.
+
+<b>Signature:</b>
+
+```typescript
+appRoute?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.app.chromeless.md b/docs/development/core/public/kibana-plugin-public.app.chromeless.md
index ce68c68ba8c72..dc1e19bab80b2 100644
--- a/docs/development/core/public/kibana-plugin-public.app.chromeless.md
+++ b/docs/development/core/public/kibana-plugin-public.app.chromeless.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [chromeless](./kibana-plugin-public.app.chromeless.md)
-
-## App.chromeless property
-
-Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
-
-<b>Signature:</b>
-
-```typescript
-chromeless?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [chromeless](./kibana-plugin-public.app.chromeless.md)
+
+## App.chromeless property
+
+Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
+
+<b>Signature:</b>
+
+```typescript
+chromeless?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.app.md b/docs/development/core/public/kibana-plugin-public.app.md
index faea94c467726..acf07cbf62e91 100644
--- a/docs/development/core/public/kibana-plugin-public.app.md
+++ b/docs/development/core/public/kibana-plugin-public.app.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md)
-
-## App interface
-
-Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function.
-
-<b>Signature:</b>
-
-```typescript
-export interface App extends AppBase 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appRoute](./kibana-plugin-public.app.approute.md) | <code>string</code> | Override the application's routing path from <code>/app/${id}</code>. Must be unique across registered applications. Should not include the base path from HTTP. |
-|  [chromeless](./kibana-plugin-public.app.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
-|  [mount](./kibana-plugin-public.app.mount.md) | <code>AppMount &#124; AppMountDeprecated</code> | A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md)
+
+## App interface
+
+Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function.
+
+<b>Signature:</b>
+
+```typescript
+export interface App extends AppBase 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appRoute](./kibana-plugin-public.app.approute.md) | <code>string</code> | Override the application's routing path from <code>/app/${id}</code>. Must be unique across registered applications. Should not include the base path from HTTP. |
+|  [chromeless](./kibana-plugin-public.app.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
+|  [mount](./kibana-plugin-public.app.mount.md) | <code>AppMount &#124; AppMountDeprecated</code> | A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.app.mount.md b/docs/development/core/public/kibana-plugin-public.app.mount.md
index 2af5f0277759a..151fb7baeb138 100644
--- a/docs/development/core/public/kibana-plugin-public.app.mount.md
+++ b/docs/development/core/public/kibana-plugin-public.app.mount.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [mount](./kibana-plugin-public.app.mount.md)
-
-## App.mount property
-
-A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-mount: AppMount | AppMountDeprecated;
-```
-
-## Remarks
-
-When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [mount](./kibana-plugin-public.app.mount.md)
+
+## App.mount property
+
+A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+mount: AppMount | AppMountDeprecated;
+```
+
+## Remarks
+
+When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md b/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
index 4aaeaaf00f25b..450972e41bb29 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [capabilities](./kibana-plugin-public.appbase.capabilities.md)
-
-## AppBase.capabilities property
-
-Custom capabilities defined by the app.
-
-<b>Signature:</b>
-
-```typescript
-capabilities?: Partial<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [capabilities](./kibana-plugin-public.appbase.capabilities.md)
+
+## AppBase.capabilities property
+
+Custom capabilities defined by the app.
+
+<b>Signature:</b>
+
+```typescript
+capabilities?: Partial<Capabilities>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.category.md b/docs/development/core/public/kibana-plugin-public.appbase.category.md
index d3c6e0acf5e69..215ebbbd0e186 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.category.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [category](./kibana-plugin-public.appbase.category.md)
-
-## AppBase.category property
-
-The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference
-
-<b>Signature:</b>
-
-```typescript
-category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [category](./kibana-plugin-public.appbase.category.md)
+
+## AppBase.category property
+
+The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference
+
+<b>Signature:</b>
+
+```typescript
+category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md b/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
index 8763a25541199..ddbf9aafbd28a 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [chromeless](./kibana-plugin-public.appbase.chromeless.md)
-
-## AppBase.chromeless property
-
-Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
-
-<b>Signature:</b>
-
-```typescript
-chromeless?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [chromeless](./kibana-plugin-public.appbase.chromeless.md)
+
+## AppBase.chromeless property
+
+Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
+
+<b>Signature:</b>
+
+```typescript
+chromeless?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md b/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
index 18ef718800772..99c7e852ff905 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [euiIconType](./kibana-plugin-public.appbase.euiicontype.md)
-
-## AppBase.euiIconType property
-
-A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [euiIconType](./kibana-plugin-public.appbase.euiicontype.md)
+
+## AppBase.euiIconType property
+
+A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.icon.md b/docs/development/core/public/kibana-plugin-public.appbase.icon.md
index 0bf6eb22acf9d..d94d0897bc5b7 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.icon.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [icon](./kibana-plugin-public.appbase.icon.md)
-
-## AppBase.icon property
-
-A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
-
-<b>Signature:</b>
-
-```typescript
-icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [icon](./kibana-plugin-public.appbase.icon.md)
+
+## AppBase.icon property
+
+A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
+
+<b>Signature:</b>
+
+```typescript
+icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.id.md b/docs/development/core/public/kibana-plugin-public.appbase.id.md
index 4c3f471a6155c..89dd32d296104 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.id.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [id](./kibana-plugin-public.appbase.id.md)
-
-## AppBase.id property
-
-The unique identifier of the application
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [id](./kibana-plugin-public.appbase.id.md)
+
+## AppBase.id property
+
+The unique identifier of the application
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.md b/docs/development/core/public/kibana-plugin-public.appbase.md
index 194ba28e416bf..6f547450b6a12 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md)
-
-## AppBase interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AppBase 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-public.appbase.capabilities.md) | <code>Partial&lt;Capabilities&gt;</code> | Custom capabilities defined by the app. |
-|  [category](./kibana-plugin-public.appbase.category.md) | <code>AppCategory</code> | The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference |
-|  [chromeless](./kibana-plugin-public.appbase.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
-|  [euiIconType](./kibana-plugin-public.appbase.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
-|  [icon](./kibana-plugin-public.appbase.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
-|  [id](./kibana-plugin-public.appbase.id.md) | <code>string</code> | The unique identifier of the application |
-|  [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md) | <code>AppNavLinkStatus</code> | The initial status of the application's navLink. Defaulting to <code>visible</code> if <code>status</code> is <code>accessible</code> and <code>hidden</code> if status is <code>inaccessible</code> See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) |
-|  [order](./kibana-plugin-public.appbase.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
-|  [status](./kibana-plugin-public.appbase.status.md) | <code>AppStatus</code> | The initial status of the application. Defaulting to <code>accessible</code> |
-|  [title](./kibana-plugin-public.appbase.title.md) | <code>string</code> | The title of the application. |
-|  [tooltip](./kibana-plugin-public.appbase.tooltip.md) | <code>string</code> | A tooltip shown when hovering over app link. |
-|  [updater$](./kibana-plugin-public.appbase.updater_.md) | <code>Observable&lt;AppUpdater&gt;</code> | An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md)
+
+## AppBase interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AppBase 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-public.appbase.capabilities.md) | <code>Partial&lt;Capabilities&gt;</code> | Custom capabilities defined by the app. |
+|  [category](./kibana-plugin-public.appbase.category.md) | <code>AppCategory</code> | The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference |
+|  [chromeless](./kibana-plugin-public.appbase.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
+|  [euiIconType](./kibana-plugin-public.appbase.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
+|  [icon](./kibana-plugin-public.appbase.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
+|  [id](./kibana-plugin-public.appbase.id.md) | <code>string</code> | The unique identifier of the application |
+|  [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md) | <code>AppNavLinkStatus</code> | The initial status of the application's navLink. Defaulting to <code>visible</code> if <code>status</code> is <code>accessible</code> and <code>hidden</code> if status is <code>inaccessible</code> See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) |
+|  [order](./kibana-plugin-public.appbase.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
+|  [status](./kibana-plugin-public.appbase.status.md) | <code>AppStatus</code> | The initial status of the application. Defaulting to <code>accessible</code> |
+|  [title](./kibana-plugin-public.appbase.title.md) | <code>string</code> | The title of the application. |
+|  [tooltip](./kibana-plugin-public.appbase.tooltip.md) | <code>string</code> | A tooltip shown when hovering over app link. |
+|  [updater$](./kibana-plugin-public.appbase.updater_.md) | <code>Observable&lt;AppUpdater&gt;</code> | An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md b/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
index 90a3e6dd08951..d6744c3e75756 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md)
-
-## AppBase.navLinkStatus property
-
-The initial status of the application's navLink. Defaulting to `visible` if `status` is `accessible` and `hidden` if status is `inaccessible` See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
-
-<b>Signature:</b>
-
-```typescript
-navLinkStatus?: AppNavLinkStatus;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md)
+
+## AppBase.navLinkStatus property
+
+The initial status of the application's navLink. Defaulting to `visible` if `status` is `accessible` and `hidden` if status is `inaccessible` See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
+
+<b>Signature:</b>
+
+```typescript
+navLinkStatus?: AppNavLinkStatus;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.order.md b/docs/development/core/public/kibana-plugin-public.appbase.order.md
index 312e327e54f9c..dc0ea14a7b860 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.order.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [order](./kibana-plugin-public.appbase.order.md)
-
-## AppBase.order property
-
-An ordinal used to sort nav links relative to one another for display.
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [order](./kibana-plugin-public.appbase.order.md)
+
+## AppBase.order property
+
+An ordinal used to sort nav links relative to one another for display.
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.status.md b/docs/development/core/public/kibana-plugin-public.appbase.status.md
index eee3f9bdfa78f..a5fbadbeea1ff 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.status.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.status.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [status](./kibana-plugin-public.appbase.status.md)
-
-## AppBase.status property
-
-The initial status of the application. Defaulting to `accessible`
-
-<b>Signature:</b>
-
-```typescript
-status?: AppStatus;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [status](./kibana-plugin-public.appbase.status.md)
+
+## AppBase.status property
+
+The initial status of the application. Defaulting to `accessible`
+
+<b>Signature:</b>
+
+```typescript
+status?: AppStatus;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.title.md b/docs/development/core/public/kibana-plugin-public.appbase.title.md
index bb9cbb7b53e84..4d0fb0c18e814 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.title.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [title](./kibana-plugin-public.appbase.title.md)
-
-## AppBase.title property
-
-The title of the application.
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [title](./kibana-plugin-public.appbase.title.md)
+
+## AppBase.title property
+
+The title of the application.
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md b/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
index 0d3bb59870c42..85921a5a321dd 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [tooltip](./kibana-plugin-public.appbase.tooltip.md)
-
-## AppBase.tooltip property
-
-A tooltip shown when hovering over app link.
-
-<b>Signature:</b>
-
-```typescript
-tooltip?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [tooltip](./kibana-plugin-public.appbase.tooltip.md)
+
+## AppBase.tooltip property
+
+A tooltip shown when hovering over app link.
+
+<b>Signature:</b>
+
+```typescript
+tooltip?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.updater_.md b/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
index a15a1666a4e00..3edd357383449 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
@@ -1,44 +1,44 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [updater$](./kibana-plugin-public.appbase.updater_.md)
-
-## AppBase.updater$ property
-
-An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime.
-
-<b>Signature:</b>
-
-```typescript
-updater$?: Observable<AppUpdater>;
-```
-
-## Example
-
-How to update an application navLink at runtime
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  private appUpdater = new BehaviorSubject<AppUpdater>(() => ({}));
-
-  setup({ application }) {
-    application.register({
-      id: 'my-app',
-      title: 'My App',
-      updater$: this.appUpdater,
-      async mount(params) {
-        const { renderApp } = await import('./application');
-        return renderApp(params);
-      },
-    });
-  }
-
-  start() {
-     // later, when the navlink needs to be updated
-     appUpdater.next(() => {
-       navLinkStatus: AppNavLinkStatus.disabled,
-     })
-  }
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [updater$](./kibana-plugin-public.appbase.updater_.md)
+
+## AppBase.updater$ property
+
+An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime.
+
+<b>Signature:</b>
+
+```typescript
+updater$?: Observable<AppUpdater>;
+```
+
+## Example
+
+How to update an application navLink at runtime
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  private appUpdater = new BehaviorSubject<AppUpdater>(() => ({}));
+
+  setup({ application }) {
+    application.register({
+      id: 'my-app',
+      title: 'My App',
+      updater$: this.appUpdater,
+      async mount(params) {
+        const { renderApp } = await import('./application');
+        return renderApp(params);
+      },
+    });
+  }
+
+  start() {
+     // later, when the navlink needs to be updated
+     appUpdater.next(() => {
+       navLinkStatus: AppNavLinkStatus.disabled,
+     })
+  }
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md b/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
index 813174001bb03..0245b548ae74f 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md)
-
-## AppCategory.ariaLabel property
-
-If the visual label isn't appropriate for screen readers, can override it here
-
-<b>Signature:</b>
-
-```typescript
-ariaLabel?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md)
+
+## AppCategory.ariaLabel property
+
+If the visual label isn't appropriate for screen readers, can override it here
+
+<b>Signature:</b>
+
+```typescript
+ariaLabel?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md b/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
index 652bcb9e05edf..90133735a0082 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md)
-
-## AppCategory.euiIconType property
-
-Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md)
+
+## AppCategory.euiIconType property
+
+Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.label.md b/docs/development/core/public/kibana-plugin-public.appcategory.label.md
index 692c032b01a69..171b1627f9ef8 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.label.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.label.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [label](./kibana-plugin-public.appcategory.label.md)
-
-## AppCategory.label property
-
-Label used for cateogry name. Also used as aria-label if one isn't set.
-
-<b>Signature:</b>
-
-```typescript
-label: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [label](./kibana-plugin-public.appcategory.label.md)
+
+## AppCategory.label property
+
+Label used for cateogry name. Also used as aria-label if one isn't set.
+
+<b>Signature:</b>
+
+```typescript
+label: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.md b/docs/development/core/public/kibana-plugin-public.appcategory.md
index 8c40113a8c438..f1085e7325272 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md)
-
-## AppCategory interface
-
-A category definition for nav links to know where to sort them in the left hand nav
-
-<b>Signature:</b>
-
-```typescript
-export interface AppCategory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md) | <code>string</code> | If the visual label isn't appropriate for screen readers, can override it here |
-|  [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md) | <code>string</code> | Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined |
-|  [label](./kibana-plugin-public.appcategory.label.md) | <code>string</code> | Label used for cateogry name. Also used as aria-label if one isn't set. |
-|  [order](./kibana-plugin-public.appcategory.order.md) | <code>number</code> | The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md)
+
+## AppCategory interface
+
+A category definition for nav links to know where to sort them in the left hand nav
+
+<b>Signature:</b>
+
+```typescript
+export interface AppCategory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md) | <code>string</code> | If the visual label isn't appropriate for screen readers, can override it here |
+|  [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md) | <code>string</code> | Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined |
+|  [label](./kibana-plugin-public.appcategory.label.md) | <code>string</code> | Label used for cateogry name. Also used as aria-label if one isn't set. |
+|  [order](./kibana-plugin-public.appcategory.order.md) | <code>number</code> | The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.order.md b/docs/development/core/public/kibana-plugin-public.appcategory.order.md
index 170d3d9559e93..ef17ac04b78d6 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.order.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [order](./kibana-plugin-public.appcategory.order.md)
-
-## AppCategory.order property
-
-The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000)
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [order](./kibana-plugin-public.appcategory.order.md)
+
+## AppCategory.order property
+
+The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000)
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveaction.md b/docs/development/core/public/kibana-plugin-public.appleaveaction.md
index e81b925feaee8..ae56205f5e45c 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveaction.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveAction](./kibana-plugin-public.appleaveaction.md)
-
-## AppLeaveAction type
-
-Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
-
-See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppLeaveAction = AppLeaveDefaultAction | AppLeaveConfirmAction;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveAction](./kibana-plugin-public.appleaveaction.md)
+
+## AppLeaveAction type
+
+Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
+
+See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppLeaveAction = AppLeaveDefaultAction | AppLeaveConfirmAction;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md b/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
index 3ee49d60eb1c7..482b2e489b33e 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md)
-
-## AppLeaveActionType enum
-
-Possible type of actions on application leave.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppLeaveActionType 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  confirm | <code>&quot;confirm&quot;</code> |  |
-|  default | <code>&quot;default&quot;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md)
+
+## AppLeaveActionType enum
+
+Possible type of actions on application leave.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppLeaveActionType 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  confirm | <code>&quot;confirm&quot;</code> |  |
+|  default | <code>&quot;default&quot;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
index ea3c0dbba7ec4..4cd99dd2a3fb3 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md)
-
-## AppLeaveConfirmAction interface
-
-Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.
-
-See 
-
-<b>Signature:</b>
-
-```typescript
-export interface AppLeaveConfirmAction 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [text](./kibana-plugin-public.appleaveconfirmaction.text.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-public.appleaveconfirmaction.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.appleaveconfirmaction.type.md) | <code>AppLeaveActionType.confirm</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md)
+
+## AppLeaveConfirmAction interface
+
+Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.
+
+See 
+
+<b>Signature:</b>
+
+```typescript
+export interface AppLeaveConfirmAction 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [text](./kibana-plugin-public.appleaveconfirmaction.text.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-public.appleaveconfirmaction.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.appleaveconfirmaction.type.md) | <code>AppLeaveActionType.confirm</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
index 6b572b6bd9845..dbbd11c6f71f8 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [text](./kibana-plugin-public.appleaveconfirmaction.text.md)
-
-## AppLeaveConfirmAction.text property
-
-<b>Signature:</b>
-
-```typescript
-text: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [text](./kibana-plugin-public.appleaveconfirmaction.text.md)
+
+## AppLeaveConfirmAction.text property
+
+<b>Signature:</b>
+
+```typescript
+text: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
index 47b15dd32efcf..684ef384a37c3 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [title](./kibana-plugin-public.appleaveconfirmaction.title.md)
-
-## AppLeaveConfirmAction.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [title](./kibana-plugin-public.appleaveconfirmaction.title.md)
+
+## AppLeaveConfirmAction.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
index e8e34c446ff53..926cecf893cc8 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [type](./kibana-plugin-public.appleaveconfirmaction.type.md)
-
-## AppLeaveConfirmAction.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AppLeaveActionType.confirm;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [type](./kibana-plugin-public.appleaveconfirmaction.type.md)
+
+## AppLeaveConfirmAction.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AppLeaveActionType.confirm;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
index 5682dc88119e2..ed2f729a0c648 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
-
-## AppLeaveDefaultAction interface
-
-Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.
-
-See 
-
-<b>Signature:</b>
-
-```typescript
-export interface AppLeaveDefaultAction 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.appleavedefaultaction.type.md) | <code>AppLeaveActionType.default</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
+
+## AppLeaveDefaultAction interface
+
+Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.
+
+See 
+
+<b>Signature:</b>
+
+```typescript
+export interface AppLeaveDefaultAction 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.appleavedefaultaction.type.md) | <code>AppLeaveActionType.default</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
index 8db979b1bba5c..ee12393121a5a 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) &gt; [type](./kibana-plugin-public.appleavedefaultaction.type.md)
-
-## AppLeaveDefaultAction.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AppLeaveActionType.default;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) &gt; [type](./kibana-plugin-public.appleavedefaultaction.type.md)
+
+## AppLeaveDefaultAction.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AppLeaveActionType.default;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleavehandler.md b/docs/development/core/public/kibana-plugin-public.appleavehandler.md
index 8f4bad65a6cd6..e879227961bc6 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavehandler.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavehandler.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
-
-## AppLeaveHandler type
-
-A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return `confirm` to to prompt a message to the user before leaving the page, or `default` to keep the default behavior (doing nothing).
-
-See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppLeaveHandler = (factory: AppLeaveActionFactory) => AppLeaveAction;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
+
+## AppLeaveHandler type
+
+A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return `confirm` to to prompt a message to the user before leaving the page, or `default` to keep the default behavior (doing nothing).
+
+See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppLeaveHandler = (factory: AppLeaveActionFactory) => AppLeaveAction;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.md
index 7497752ac386e..cf9bc5189af40 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-## ApplicationSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ApplicationSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [register(app)](./kibana-plugin-public.applicationsetup.register.md) | Register an mountable application to the system. |
-|  [registerAppUpdater(appUpdater$)](./kibana-plugin-public.applicationsetup.registerappupdater.md) | Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.<!-- -->This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the <code>updater$</code> property of the registered application instead. |
-|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationsetup.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+## ApplicationSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ApplicationSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [register(app)](./kibana-plugin-public.applicationsetup.register.md) | Register an mountable application to the system. |
+|  [registerAppUpdater(appUpdater$)](./kibana-plugin-public.applicationsetup.registerappupdater.md) | Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.<!-- -->This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the <code>updater$</code> property of the registered application instead. |
+|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationsetup.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
index 5c6c7cd252b0a..b4ccb6a01c600 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [register](./kibana-plugin-public.applicationsetup.register.md)
-
-## ApplicationSetup.register() method
-
-Register an mountable application to the system.
-
-<b>Signature:</b>
-
-```typescript
-register(app: App): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  app | <code>App</code> | an [App](./kibana-plugin-public.app.md) |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [register](./kibana-plugin-public.applicationsetup.register.md)
+
+## ApplicationSetup.register() method
+
+Register an mountable application to the system.
+
+<b>Signature:</b>
+
+```typescript
+register(app: App): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  app | <code>App</code> | an [App](./kibana-plugin-public.app.md) |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
index b3a2dcb2b7de1..39b4f878a3f79 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
@@ -1,47 +1,47 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerAppUpdater](./kibana-plugin-public.applicationsetup.registerappupdater.md)
-
-## ApplicationSetup.registerAppUpdater() method
-
-Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.
-
-This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the `updater$` property of the registered application instead.
-
-<b>Signature:</b>
-
-```typescript
-registerAppUpdater(appUpdater$: Observable<AppUpdater>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appUpdater$ | <code>Observable&lt;AppUpdater&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to register an application updater that disables some applications:
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  setup({ application }) {
-    application.registerAppUpdater(
-      new BehaviorSubject<AppUpdater>(app => {
-         if (myPluginApi.shouldDisable(app))
-           return {
-             status: AppStatus.inaccessible,
-           };
-       })
-     );
-    }
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerAppUpdater](./kibana-plugin-public.applicationsetup.registerappupdater.md)
+
+## ApplicationSetup.registerAppUpdater() method
+
+Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.
+
+This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the `updater$` property of the registered application instead.
+
+<b>Signature:</b>
+
+```typescript
+registerAppUpdater(appUpdater$: Observable<AppUpdater>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appUpdater$ | <code>Observable&lt;AppUpdater&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to register an application updater that disables some applications:
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  setup({ application }) {
+    application.registerAppUpdater(
+      new BehaviorSubject<AppUpdater>(app => {
+         if (myPluginApi.shouldDisable(app))
+           return {
+             status: AppStatus.inaccessible,
+           };
+       })
+     );
+    }
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
index e1d28bbdb7030..275ba431bc7e7 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerMountContext](./kibana-plugin-public.applicationsetup.registermountcontext.md)
-
-## ApplicationSetup.registerMountContext() method
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
-|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerMountContext](./kibana-plugin-public.applicationsetup.registermountcontext.md)
+
+## ApplicationSetup.registerMountContext() method
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
+|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md b/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
index ef61b32d9b7f2..14326197ea549 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [capabilities](./kibana-plugin-public.applicationstart.capabilities.md)
-
-## ApplicationStart.capabilities property
-
-Gets the read-only capabilities.
-
-<b>Signature:</b>
-
-```typescript
-capabilities: RecursiveReadonly<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [capabilities](./kibana-plugin-public.applicationstart.capabilities.md)
+
+## ApplicationStart.capabilities property
+
+Gets the read-only capabilities.
+
+<b>Signature:</b>
+
+```typescript
+capabilities: RecursiveReadonly<Capabilities>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md b/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
index 7eadd4d4e9d44..422fbdf7418c2 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [getUrlForApp](./kibana-plugin-public.applicationstart.geturlforapp.md)
-
-## ApplicationStart.getUrlForApp() method
-
-Returns a relative URL to a given app, including the global base path.
-
-<b>Signature:</b>
-
-```typescript
-getUrlForApp(appId: string, options?: {
-        path?: string;
-    }): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appId | <code>string</code> |  |
-|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>    }</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [getUrlForApp](./kibana-plugin-public.applicationstart.geturlforapp.md)
+
+## ApplicationStart.getUrlForApp() method
+
+Returns a relative URL to a given app, including the global base path.
+
+<b>Signature:</b>
+
+```typescript
+getUrlForApp(appId: string, options?: {
+        path?: string;
+    }): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appId | <code>string</code> |  |
+|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>    }</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.md b/docs/development/core/public/kibana-plugin-public.applicationstart.md
index 3ad7e3b1656d8..e36ef3f14f87e 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md)
-
-## ApplicationStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ApplicationStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-public.applicationstart.capabilities.md) | <code>RecursiveReadonly&lt;Capabilities&gt;</code> | Gets the read-only capabilities. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getUrlForApp(appId, options)](./kibana-plugin-public.applicationstart.geturlforapp.md) | Returns a relative URL to a given app, including the global base path. |
-|  [navigateToApp(appId, options)](./kibana-plugin-public.applicationstart.navigatetoapp.md) | Navigate to a given app |
-|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationstart.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md)
+
+## ApplicationStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ApplicationStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-public.applicationstart.capabilities.md) | <code>RecursiveReadonly&lt;Capabilities&gt;</code> | Gets the read-only capabilities. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getUrlForApp(appId, options)](./kibana-plugin-public.applicationstart.geturlforapp.md) | Returns a relative URL to a given app, including the global base path. |
+|  [navigateToApp(appId, options)](./kibana-plugin-public.applicationstart.navigatetoapp.md) | Navigate to a given app |
+|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationstart.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md b/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
index 9a1f1da689584..3e29d09ea4cd5 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [navigateToApp](./kibana-plugin-public.applicationstart.navigatetoapp.md)
-
-## ApplicationStart.navigateToApp() method
-
-Navigate to a given app
-
-<b>Signature:</b>
-
-```typescript
-navigateToApp(appId: string, options?: {
-        path?: string;
-        state?: any;
-    }): Promise<void>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appId | <code>string</code> |  |
-|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>        state?: any;</code><br/><code>    }</code> |  |
-
-<b>Returns:</b>
-
-`Promise<void>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [navigateToApp](./kibana-plugin-public.applicationstart.navigatetoapp.md)
+
+## ApplicationStart.navigateToApp() method
+
+Navigate to a given app
+
+<b>Signature:</b>
+
+```typescript
+navigateToApp(appId: string, options?: {
+        path?: string;
+        state?: any;
+    }): Promise<void>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appId | <code>string</code> |  |
+|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>        state?: any;</code><br/><code>    }</code> |  |
+
+<b>Returns:</b>
+
+`Promise<void>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md b/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
index 0eb1cb60ec5fd..c15a23fe82b21 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [registerMountContext](./kibana-plugin-public.applicationstart.registermountcontext.md)
-
-## ApplicationStart.registerMountContext() method
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
-|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [registerMountContext](./kibana-plugin-public.applicationstart.registermountcontext.md)
+
+## ApplicationStart.registerMountContext() method
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
+|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmount.md b/docs/development/core/public/kibana-plugin-public.appmount.md
index 84a52b09a119c..25faa7be30b68 100644
--- a/docs/development/core/public/kibana-plugin-public.appmount.md
+++ b/docs/development/core/public/kibana-plugin-public.appmount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMount](./kibana-plugin-public.appmount.md)
-
-## AppMount type
-
-A mount function called when the user navigates to this app's route.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppMount = (params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMount](./kibana-plugin-public.appmount.md)
+
+## AppMount type
+
+A mount function called when the user navigates to this app's route.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppMount = (params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md b/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
index 6ec2d18f33d80..e01a5e9da50d5 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md) &gt; [core](./kibana-plugin-public.appmountcontext.core.md)
-
-## AppMountContext.core property
-
-Core service APIs available to mounted applications.
-
-<b>Signature:</b>
-
-```typescript
-core: {
-        application: Pick<ApplicationStart, 'capabilities' | 'navigateToApp'>;
-        chrome: ChromeStart;
-        docLinks: DocLinksStart;
-        http: HttpStart;
-        i18n: I18nStart;
-        notifications: NotificationsStart;
-        overlays: OverlayStart;
-        savedObjects: SavedObjectsStart;
-        uiSettings: IUiSettingsClient;
-        injectedMetadata: {
-            getInjectedVar: (name: string, defaultValue?: any) => unknown;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md) &gt; [core](./kibana-plugin-public.appmountcontext.core.md)
+
+## AppMountContext.core property
+
+Core service APIs available to mounted applications.
+
+<b>Signature:</b>
+
+```typescript
+core: {
+        application: Pick<ApplicationStart, 'capabilities' | 'navigateToApp'>;
+        chrome: ChromeStart;
+        docLinks: DocLinksStart;
+        http: HttpStart;
+        i18n: I18nStart;
+        notifications: NotificationsStart;
+        overlays: OverlayStart;
+        savedObjects: SavedObjectsStart;
+        uiSettings: IUiSettingsClient;
+        injectedMetadata: {
+            getInjectedVar: (name: string, defaultValue?: any) => unknown;
+        };
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountcontext.md b/docs/development/core/public/kibana-plugin-public.appmountcontext.md
index 6c0860ad9f6b7..2f8c0553d0b38 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountcontext.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md)
-
-## AppMountContext interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface AppMountContext 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-public.appmountcontext.core.md) | <code>{</code><br/><code>        application: Pick&lt;ApplicationStart, 'capabilities' &#124; 'navigateToApp'&gt;;</code><br/><code>        chrome: ChromeStart;</code><br/><code>        docLinks: DocLinksStart;</code><br/><code>        http: HttpStart;</code><br/><code>        i18n: I18nStart;</code><br/><code>        notifications: NotificationsStart;</code><br/><code>        overlays: OverlayStart;</code><br/><code>        savedObjects: SavedObjectsStart;</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>        injectedMetadata: {</code><br/><code>            getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>        };</code><br/><code>    }</code> | Core service APIs available to mounted applications. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md)
+
+## AppMountContext interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface AppMountContext 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-public.appmountcontext.core.md) | <code>{</code><br/><code>        application: Pick&lt;ApplicationStart, 'capabilities' &#124; 'navigateToApp'&gt;;</code><br/><code>        chrome: ChromeStart;</code><br/><code>        docLinks: DocLinksStart;</code><br/><code>        http: HttpStart;</code><br/><code>        i18n: I18nStart;</code><br/><code>        notifications: NotificationsStart;</code><br/><code>        overlays: OverlayStart;</code><br/><code>        savedObjects: SavedObjectsStart;</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>        injectedMetadata: {</code><br/><code>            getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>        };</code><br/><code>    }</code> | Core service APIs available to mounted applications. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md b/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
index 8c8114182b60f..936642abcc97a 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)
-
-## AppMountDeprecated type
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A mount function called when the user navigates to this app's route.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppMountDeprecated = (context: AppMountContext, params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
-```
-
-## Remarks
-
-When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)
+
+## AppMountDeprecated type
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A mount function called when the user navigates to this app's route.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppMountDeprecated = (context: AppMountContext, params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
+```
+
+## Remarks
+
+When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
index 041d976aa42a2..7cd709d615729 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
@@ -1,58 +1,58 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md)
-
-## AppMountParameters.appBasePath property
-
-The route path for configuring navigation to the application. This string should not include the base path from HTTP.
-
-<b>Signature:</b>
-
-```typescript
-appBasePath: string;
-```
-
-## Example
-
-How to configure react-router with a base path:
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  setup({ application }) {
-    application.register({
-     id: 'my-app',
-     appRoute: '/my-app',
-     async mount(params) {
-       const { renderApp } = await import('./application');
-       return renderApp(params);
-     },
-   });
- }
-}
-
-```
-
-```ts
-// application.tsx
-import React from 'react';
-import ReactDOM from 'react-dom';
-import { BrowserRouter, Route } from 'react-router-dom';
-
-import { CoreStart, AppMountParams } from 'src/core/public';
-import { MyPluginDepsStart } from './plugin';
-
-export renderApp = ({ appBasePath, element }: AppMountParams) => {
-  ReactDOM.render(
-    // pass `appBasePath` to `basename`
-    <BrowserRouter basename={appBasePath}>
-      <Route path="/" exact component={HomePage} />
-    </BrowserRouter>,
-    element
-  );
-
-  return () => ReactDOM.unmountComponentAtNode(element);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md)
+
+## AppMountParameters.appBasePath property
+
+The route path for configuring navigation to the application. This string should not include the base path from HTTP.
+
+<b>Signature:</b>
+
+```typescript
+appBasePath: string;
+```
+
+## Example
+
+How to configure react-router with a base path:
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  setup({ application }) {
+    application.register({
+     id: 'my-app',
+     appRoute: '/my-app',
+     async mount(params) {
+       const { renderApp } = await import('./application');
+       return renderApp(params);
+     },
+   });
+ }
+}
+
+```
+
+```ts
+// application.tsx
+import React from 'react';
+import ReactDOM from 'react-dom';
+import { BrowserRouter, Route } from 'react-router-dom';
+
+import { CoreStart, AppMountParams } from 'src/core/public';
+import { MyPluginDepsStart } from './plugin';
+
+export renderApp = ({ appBasePath, element }: AppMountParams) => {
+  ReactDOM.render(
+    // pass `appBasePath` to `basename`
+    <BrowserRouter basename={appBasePath}>
+      <Route path="/" exact component={HomePage} />
+    </BrowserRouter>,
+    element
+  );
+
+  return () => ReactDOM.unmountComponentAtNode(element);
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
index 0c6759df8197c..dbe496c01c215 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [element](./kibana-plugin-public.appmountparameters.element.md)
-
-## AppMountParameters.element property
-
-The container element to render the application into.
-
-<b>Signature:</b>
-
-```typescript
-element: HTMLElement;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [element](./kibana-plugin-public.appmountparameters.element.md)
+
+## AppMountParameters.element property
+
+The container element to render the application into.
+
+<b>Signature:</b>
+
+```typescript
+element: HTMLElement;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.md
index c21889c28bda4..9586eba96a697 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md)
-
-## AppMountParameters interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AppMountParameters 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md) | <code>string</code> | The route path for configuring navigation to the application. This string should not include the base path from HTTP. |
-|  [element](./kibana-plugin-public.appmountparameters.element.md) | <code>HTMLElement</code> | The container element to render the application into. |
-|  [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md) | <code>(handler: AppLeaveHandler) =&gt; void</code> | A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.<!-- -->This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md)
+
+## AppMountParameters interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AppMountParameters 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md) | <code>string</code> | The route path for configuring navigation to the application. This string should not include the base path from HTTP. |
+|  [element](./kibana-plugin-public.appmountparameters.element.md) | <code>HTMLElement</code> | The container element to render the application into. |
+|  [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md) | <code>(handler: AppLeaveHandler) =&gt; void</code> | A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.<!-- -->This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
index 283ae34f14c54..55eb840ce1cf6 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
@@ -1,41 +1,41 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md)
-
-## AppMountParameters.onAppLeave property
-
-A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.
-
-This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url.
-
-<b>Signature:</b>
-
-```typescript
-onAppLeave: (handler: AppLeaveHandler) => void;
-```
-
-## Example
-
-
-```ts
-// application.tsx
-import React from 'react';
-import ReactDOM from 'react-dom';
-import { BrowserRouter, Route } from 'react-router-dom';
-
-import { CoreStart, AppMountParams } from 'src/core/public';
-import { MyPluginDepsStart } from './plugin';
-
-export renderApp = ({ appBasePath, element, onAppLeave }: AppMountParams) => {
-   const { renderApp, hasUnsavedChanges } = await import('./application');
-   onAppLeave(actions => {
-     if(hasUnsavedChanges()) {
-       return actions.confirm('Some changes were not saved. Are you sure you want to leave?');
-     }
-     return actions.default();
-   });
-   return renderApp(params);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md)
+
+## AppMountParameters.onAppLeave property
+
+A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.
+
+This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url.
+
+<b>Signature:</b>
+
+```typescript
+onAppLeave: (handler: AppLeaveHandler) => void;
+```
+
+## Example
+
+
+```ts
+// application.tsx
+import React from 'react';
+import ReactDOM from 'react-dom';
+import { BrowserRouter, Route } from 'react-router-dom';
+
+import { CoreStart, AppMountParams } from 'src/core/public';
+import { MyPluginDepsStart } from './plugin';
+
+export renderApp = ({ appBasePath, element, onAppLeave }: AppMountParams) => {
+   const { renderApp, hasUnsavedChanges } = await import('./application');
+   onAppLeave(actions => {
+     if(hasUnsavedChanges()) {
+       return actions.confirm('Some changes were not saved. Are you sure you want to leave?');
+     }
+     return actions.default();
+   });
+   return renderApp(params);
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md b/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
index be6953c6f3667..d6b22ac2b9217 100644
--- a/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
-
-## AppNavLinkStatus enum
-
-Status of the application's navLink.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppNavLinkStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  default | <code>0</code> | The application navLink will be <code>visible</code> if the application's [AppStatus](./kibana-plugin-public.appstatus.md) is set to <code>accessible</code> and <code>hidden</code> if the application status is set to <code>inaccessible</code>. |
-|  disabled | <code>2</code> | The application navLink is visible but inactive and not clickable in the navigation bar. |
-|  hidden | <code>3</code> | The application navLink does not appear in the navigation bar. |
-|  visible | <code>1</code> | The application navLink is visible and clickable in the navigation bar. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
+
+## AppNavLinkStatus enum
+
+Status of the application's navLink.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppNavLinkStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  default | <code>0</code> | The application navLink will be <code>visible</code> if the application's [AppStatus](./kibana-plugin-public.appstatus.md) is set to <code>accessible</code> and <code>hidden</code> if the application status is set to <code>inaccessible</code>. |
+|  disabled | <code>2</code> | The application navLink is visible but inactive and not clickable in the navigation bar. |
+|  hidden | <code>3</code> | The application navLink does not appear in the navigation bar. |
+|  visible | <code>1</code> | The application navLink is visible and clickable in the navigation bar. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appstatus.md b/docs/development/core/public/kibana-plugin-public.appstatus.md
index 35b7b4cb224d9..23fb7186569da 100644
--- a/docs/development/core/public/kibana-plugin-public.appstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appstatus.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppStatus](./kibana-plugin-public.appstatus.md)
-
-## AppStatus enum
-
-Accessibility status of an application.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  accessible | <code>0</code> | Application is accessible. |
-|  inaccessible | <code>1</code> | Application is not accessible. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppStatus](./kibana-plugin-public.appstatus.md)
+
+## AppStatus enum
+
+Accessibility status of an application.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  accessible | <code>0</code> | Application is accessible. |
+|  inaccessible | <code>1</code> | Application is not accessible. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appunmount.md b/docs/development/core/public/kibana-plugin-public.appunmount.md
index 041a9ab3dbc0b..61782d19ca8c5 100644
--- a/docs/development/core/public/kibana-plugin-public.appunmount.md
+++ b/docs/development/core/public/kibana-plugin-public.appunmount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUnmount](./kibana-plugin-public.appunmount.md)
-
-## AppUnmount type
-
-A function called when an application should be unmounted from the page. This function should be synchronous.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUnmount = () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUnmount](./kibana-plugin-public.appunmount.md)
+
+## AppUnmount type
+
+A function called when an application should be unmounted from the page. This function should be synchronous.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUnmount = () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appupdatablefields.md b/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
index f588773976143..b9260c79cd972 100644
--- a/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
+++ b/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md)
-
-## AppUpdatableFields type
-
-Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUpdatableFields = Pick<AppBase, 'status' | 'navLinkStatus' | 'tooltip'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md)
+
+## AppUpdatableFields type
+
+Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUpdatableFields = Pick<AppBase, 'status' | 'navLinkStatus' | 'tooltip'>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appupdater.md b/docs/development/core/public/kibana-plugin-public.appupdater.md
index 75f489e6346f3..f1b965cc2fc22 100644
--- a/docs/development/core/public/kibana-plugin-public.appupdater.md
+++ b/docs/development/core/public/kibana-plugin-public.appupdater.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdater](./kibana-plugin-public.appupdater.md)
-
-## AppUpdater type
-
-Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUpdater = (app: AppBase) => Partial<AppUpdatableFields> | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdater](./kibana-plugin-public.appupdater.md)
+
+## AppUpdater type
+
+Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUpdater = (app: AppBase) => Partial<AppUpdatableFields> | undefined;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md b/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
index 8f46a42dc3b78..ea3380d70053b 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [catalogue](./kibana-plugin-public.capabilities.catalogue.md)
-
-## Capabilities.catalogue property
-
-Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
-
-<b>Signature:</b>
-
-```typescript
-catalogue: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [catalogue](./kibana-plugin-public.capabilities.catalogue.md)
+
+## Capabilities.catalogue property
+
+Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
+
+<b>Signature:</b>
+
+```typescript
+catalogue: Record<string, boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.management.md b/docs/development/core/public/kibana-plugin-public.capabilities.management.md
index 59037240382b4..5f4c159aef974 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.management.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.management.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [management](./kibana-plugin-public.capabilities.management.md)
-
-## Capabilities.management property
-
-Management section capabilities.
-
-<b>Signature:</b>
-
-```typescript
-management: {
-        [sectionId: string]: Record<string, boolean>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [management](./kibana-plugin-public.capabilities.management.md)
+
+## Capabilities.management property
+
+Management section capabilities.
+
+<b>Signature:</b>
+
+```typescript
+management: {
+        [sectionId: string]: Record<string, boolean>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.md b/docs/development/core/public/kibana-plugin-public.capabilities.md
index 5a6d611f8afb7..e7dc542e6ed5e 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md)
-
-## Capabilities interface
-
-The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
-
-<b>Signature:</b>
-
-```typescript
-export interface Capabilities 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [catalogue](./kibana-plugin-public.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
-|  [management](./kibana-plugin-public.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
-|  [navLinks](./kibana-plugin-public.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md)
+
+## Capabilities interface
+
+The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
+
+<b>Signature:</b>
+
+```typescript
+export interface Capabilities 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [catalogue](./kibana-plugin-public.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
+|  [management](./kibana-plugin-public.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
+|  [navLinks](./kibana-plugin-public.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md b/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
index 804ff1fef534a..a6c337ef70277 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [navLinks](./kibana-plugin-public.capabilities.navlinks.md)
-
-## Capabilities.navLinks property
-
-Navigation link capabilities.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [navLinks](./kibana-plugin-public.capabilities.navlinks.md)
+
+## Capabilities.navLinks property
+
+Navigation link capabilities.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: Record<string, boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md b/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
index cfb129b3f4796..535b0cb627e7e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [iconType](./kibana-plugin-public.chromebadge.icontype.md)
-
-## ChromeBadge.iconType property
-
-<b>Signature:</b>
-
-```typescript
-iconType?: IconType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [iconType](./kibana-plugin-public.chromebadge.icontype.md)
+
+## ChromeBadge.iconType property
+
+<b>Signature:</b>
+
+```typescript
+iconType?: IconType;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.md b/docs/development/core/public/kibana-plugin-public.chromebadge.md
index b2286986926ed..5323193dcdd0e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md)
-
-## ChromeBadge interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeBadge 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [iconType](./kibana-plugin-public.chromebadge.icontype.md) | <code>IconType</code> |  |
-|  [text](./kibana-plugin-public.chromebadge.text.md) | <code>string</code> |  |
-|  [tooltip](./kibana-plugin-public.chromebadge.tooltip.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md)
+
+## ChromeBadge interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeBadge 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [iconType](./kibana-plugin-public.chromebadge.icontype.md) | <code>IconType</code> |  |
+|  [text](./kibana-plugin-public.chromebadge.text.md) | <code>string</code> |  |
+|  [tooltip](./kibana-plugin-public.chromebadge.tooltip.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.text.md b/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
index 59c5aedeaa44e..5b334a8440ee2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [text](./kibana-plugin-public.chromebadge.text.md)
-
-## ChromeBadge.text property
-
-<b>Signature:</b>
-
-```typescript
-text: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [text](./kibana-plugin-public.chromebadge.text.md)
+
+## ChromeBadge.text property
+
+<b>Signature:</b>
+
+```typescript
+text: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md b/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
index d37fdb5bdaf30..a1a0590cf093d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [tooltip](./kibana-plugin-public.chromebadge.tooltip.md)
-
-## ChromeBadge.tooltip property
-
-<b>Signature:</b>
-
-```typescript
-tooltip: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [tooltip](./kibana-plugin-public.chromebadge.tooltip.md)
+
+## ChromeBadge.tooltip property
+
+<b>Signature:</b>
+
+```typescript
+tooltip: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md b/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
index 99eaf8e222855..7edbfb97fba95 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [logo](./kibana-plugin-public.chromebrand.logo.md)
-
-## ChromeBrand.logo property
-
-<b>Signature:</b>
-
-```typescript
-logo?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [logo](./kibana-plugin-public.chromebrand.logo.md)
+
+## ChromeBrand.logo property
+
+<b>Signature:</b>
+
+```typescript
+logo?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.md b/docs/development/core/public/kibana-plugin-public.chromebrand.md
index 87c146b2b4c28..42af5255c0042 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md)
-
-## ChromeBrand interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeBrand 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [logo](./kibana-plugin-public.chromebrand.logo.md) | <code>string</code> |  |
-|  [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md)
+
+## ChromeBrand interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeBrand 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [logo](./kibana-plugin-public.chromebrand.logo.md) | <code>string</code> |  |
+|  [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md b/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
index 85c933ac5814e..53d05ed89144a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md)
-
-## ChromeBrand.smallLogo property
-
-<b>Signature:</b>
-
-```typescript
-smallLogo?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md)
+
+## ChromeBrand.smallLogo property
+
+<b>Signature:</b>
+
+```typescript
+smallLogo?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md b/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
index 4738487d6674a..9350b56ce5f60 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md)
-
-## ChromeBreadcrumb type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeBreadcrumb = EuiBreadcrumb;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md)
+
+## ChromeBreadcrumb type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeBreadcrumb = EuiBreadcrumb;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
index c132b4b54337e..eba149bf93a4c 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [change](./kibana-plugin-public.chromedoctitle.change.md)
-
-## ChromeDocTitle.change() method
-
-Changes the current document title.
-
-<b>Signature:</b>
-
-```typescript
-change(newTitle: string | string[]): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  newTitle | <code>string &#124; string[]</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to change the title of the document
-
-```ts
-chrome.docTitle.change('My application title')
-chrome.docTitle.change(['My application', 'My section'])
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [change](./kibana-plugin-public.chromedoctitle.change.md)
+
+## ChromeDocTitle.change() method
+
+Changes the current document title.
+
+<b>Signature:</b>
+
+```typescript
+change(newTitle: string | string[]): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  newTitle | <code>string &#124; string[]</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to change the title of the document
+
+```ts
+chrome.docTitle.change('My application title')
+chrome.docTitle.change(['My application', 'My section'])
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
index 624940b612ddb..feb3b3ab966ef 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
@@ -1,39 +1,39 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md)
-
-## ChromeDocTitle interface
-
-APIs for accessing and updating the document title.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeDocTitle 
-```
-
-## Example 1
-
-How to change the title of the document
-
-```ts
-chrome.docTitle.change('My application')
-
-```
-
-## Example 2
-
-How to reset the title of the document to it's initial value
-
-```ts
-chrome.docTitle.reset()
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [change(newTitle)](./kibana-plugin-public.chromedoctitle.change.md) | Changes the current document title. |
-|  [reset()](./kibana-plugin-public.chromedoctitle.reset.md) | Resets the document title to it's initial value. (meaning the one present in the title meta at application load.) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md)
+
+## ChromeDocTitle interface
+
+APIs for accessing and updating the document title.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeDocTitle 
+```
+
+## Example 1
+
+How to change the title of the document
+
+```ts
+chrome.docTitle.change('My application')
+
+```
+
+## Example 2
+
+How to reset the title of the document to it's initial value
+
+```ts
+chrome.docTitle.reset()
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [change(newTitle)](./kibana-plugin-public.chromedoctitle.change.md) | Changes the current document title. |
+|  [reset()](./kibana-plugin-public.chromedoctitle.reset.md) | Resets the document title to it's initial value. (meaning the one present in the title meta at application load.) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
index 97933c443125a..4b4c6f573e006 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [reset](./kibana-plugin-public.chromedoctitle.reset.md)
-
-## ChromeDocTitle.reset() method
-
-Resets the document title to it's initial value. (meaning the one present in the title meta at application load.)
-
-<b>Signature:</b>
-
-```typescript
-reset(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [reset](./kibana-plugin-public.chromedoctitle.reset.md)
+
+## ChromeDocTitle.reset() method
+
+Resets the document title to it's initial value. (meaning the one present in the title meta at application load.)
+
+<b>Signature:</b>
+
+```typescript
+reset(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
index e5bb6c19a807b..d817238c9287d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [appName](./kibana-plugin-public.chromehelpextension.appname.md)
-
-## ChromeHelpExtension.appName property
-
-Provide your plugin's name to create a header for separation
-
-<b>Signature:</b>
-
-```typescript
-appName: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [appName](./kibana-plugin-public.chromehelpextension.appname.md)
+
+## ChromeHelpExtension.appName property
+
+Provide your plugin's name to create a header for separation
+
+<b>Signature:</b>
+
+```typescript
+appName: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
index b9b38dc20774f..b51d4928e991d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [content](./kibana-plugin-public.chromehelpextension.content.md)
-
-## ChromeHelpExtension.content property
-
-Custom content to occur below the list of links
-
-<b>Signature:</b>
-
-```typescript
-content?: (element: HTMLDivElement) => () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [content](./kibana-plugin-public.chromehelpextension.content.md)
+
+## ChromeHelpExtension.content property
+
+Custom content to occur below the list of links
+
+<b>Signature:</b>
+
+```typescript
+content?: (element: HTMLDivElement) => () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
index 76e805eb993ad..de17ca8d86e37 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [links](./kibana-plugin-public.chromehelpextension.links.md)
-
-## ChromeHelpExtension.links property
-
-Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button
-
-<b>Signature:</b>
-
-```typescript
-links?: ChromeHelpExtensionMenuLink[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [links](./kibana-plugin-public.chromehelpextension.links.md)
+
+## ChromeHelpExtension.links property
+
+Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button
+
+<b>Signature:</b>
+
+```typescript
+links?: ChromeHelpExtensionMenuLink[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
index 4c870ef9afba0..6f0007335c555 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md)
-
-## ChromeHelpExtension interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeHelpExtension 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appName](./kibana-plugin-public.chromehelpextension.appname.md) | <code>string</code> | Provide your plugin's name to create a header for separation |
-|  [content](./kibana-plugin-public.chromehelpextension.content.md) | <code>(element: HTMLDivElement) =&gt; () =&gt; void</code> | Custom content to occur below the list of links |
-|  [links](./kibana-plugin-public.chromehelpextension.links.md) | <code>ChromeHelpExtensionMenuLink[]</code> | Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md)
+
+## ChromeHelpExtension interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeHelpExtension 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appName](./kibana-plugin-public.chromehelpextension.appname.md) | <code>string</code> | Provide your plugin's name to create a header for separation |
+|  [content](./kibana-plugin-public.chromehelpextension.content.md) | <code>(element: HTMLDivElement) =&gt; () =&gt; void</code> | Custom content to occur below the list of links |
+|  [links](./kibana-plugin-public.chromehelpextension.links.md) | <code>ChromeHelpExtensionMenuLink[]</code> | Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
index 3eed2ad36dc03..daca70f3b79c1 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md)
-
-## ChromeHelpExtensionMenuCustomLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuCustomLink = EuiButtonEmptyProps & {
-    linkType: 'custom';
-    content: React.ReactNode;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md)
+
+## ChromeHelpExtensionMenuCustomLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuCustomLink = EuiButtonEmptyProps & {
+    linkType: 'custom';
+    content: React.ReactNode;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
index 3885712ce9420..8dd1c796bebf1 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md)
-
-## ChromeHelpExtensionMenuDiscussLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuDiscussLink = EuiButtonEmptyProps & {
-    linkType: 'discuss';
-    href: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md)
+
+## ChromeHelpExtensionMenuDiscussLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuDiscussLink = EuiButtonEmptyProps & {
+    linkType: 'discuss';
+    href: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
index 25ea1690154c2..0114cc245a874 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md)
-
-## ChromeHelpExtensionMenuDocumentationLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuDocumentationLink = EuiButtonEmptyProps & {
-    linkType: 'documentation';
-    href: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md)
+
+## ChromeHelpExtensionMenuDocumentationLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuDocumentationLink = EuiButtonEmptyProps & {
+    linkType: 'documentation';
+    href: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
index 2dc1b5b4cee5b..5dd33f1a05a7f 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md)
-
-## ChromeHelpExtensionMenuGitHubLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuGitHubLink = EuiButtonEmptyProps & {
-    linkType: 'github';
-    labels: string[];
-    title?: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md)
+
+## ChromeHelpExtensionMenuGitHubLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuGitHubLink = EuiButtonEmptyProps & {
+    linkType: 'github';
+    labels: string[];
+    title?: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
index ce55fdedab155..072ce165e23c5 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md)
-
-## ChromeHelpExtensionMenuLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuLink = ExclusiveUnion<ChromeHelpExtensionMenuGitHubLink, ExclusiveUnion<ChromeHelpExtensionMenuDiscussLink, ExclusiveUnion<ChromeHelpExtensionMenuDocumentationLink, ChromeHelpExtensionMenuCustomLink>>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md)
+
+## ChromeHelpExtensionMenuLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuLink = ExclusiveUnion<ChromeHelpExtensionMenuGitHubLink, ExclusiveUnion<ChromeHelpExtensionMenuDiscussLink, ExclusiveUnion<ChromeHelpExtensionMenuDocumentationLink, ChromeHelpExtensionMenuCustomLink>>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
index afaef97411774..fdf56012e4729 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md)
-
-## ChromeNavControl interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavControl 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [mount](./kibana-plugin-public.chromenavcontrol.mount.md) | <code>MountPoint</code> |  |
-|  [order](./kibana-plugin-public.chromenavcontrol.order.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md)
+
+## ChromeNavControl interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavControl 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [mount](./kibana-plugin-public.chromenavcontrol.mount.md) | <code>MountPoint</code> |  |
+|  [order](./kibana-plugin-public.chromenavcontrol.order.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
index 6d574900fd16a..3e1f5a1f78f89 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [mount](./kibana-plugin-public.chromenavcontrol.mount.md)
-
-## ChromeNavControl.mount property
-
-<b>Signature:</b>
-
-```typescript
-mount: MountPoint;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [mount](./kibana-plugin-public.chromenavcontrol.mount.md)
+
+## ChromeNavControl.mount property
+
+<b>Signature:</b>
+
+```typescript
+mount: MountPoint;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
index 10ad35c602d21..22e84cebab63a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [order](./kibana-plugin-public.chromenavcontrol.order.md)
-
-## ChromeNavControl.order property
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [order](./kibana-plugin-public.chromenavcontrol.order.md)
+
+## ChromeNavControl.order property
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
index f70e63ff0f2c2..30b9a6869d1ff 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md)
-
-## ChromeNavControls interface
-
-[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavControls 
-```
-
-## Example
-
-Register a left-side nav control rendered with React.
-
-```jsx
-chrome.navControls.registerLeft({
-  mount(targetDomElement) {
-    ReactDOM.mount(<MyControl />, targetDomElement);
-    return () => ReactDOM.unmountComponentAtNode(targetDomElement);
-  }
-})
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [registerLeft(navControl)](./kibana-plugin-public.chromenavcontrols.registerleft.md) | Register a nav control to be presented on the left side of the chrome header. |
-|  [registerRight(navControl)](./kibana-plugin-public.chromenavcontrols.registerright.md) | Register a nav control to be presented on the right side of the chrome header. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md)
+
+## ChromeNavControls interface
+
+[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavControls 
+```
+
+## Example
+
+Register a left-side nav control rendered with React.
+
+```jsx
+chrome.navControls.registerLeft({
+  mount(targetDomElement) {
+    ReactDOM.mount(<MyControl />, targetDomElement);
+    return () => ReactDOM.unmountComponentAtNode(targetDomElement);
+  }
+})
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [registerLeft(navControl)](./kibana-plugin-public.chromenavcontrols.registerleft.md) | Register a nav control to be presented on the left side of the chrome header. |
+|  [registerRight(navControl)](./kibana-plugin-public.chromenavcontrols.registerright.md) | Register a nav control to be presented on the right side of the chrome header. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
index 72cf45deaa52f..31867991fc041 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerLeft](./kibana-plugin-public.chromenavcontrols.registerleft.md)
-
-## ChromeNavControls.registerLeft() method
-
-Register a nav control to be presented on the left side of the chrome header.
-
-<b>Signature:</b>
-
-```typescript
-registerLeft(navControl: ChromeNavControl): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  navControl | <code>ChromeNavControl</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerLeft](./kibana-plugin-public.chromenavcontrols.registerleft.md)
+
+## ChromeNavControls.registerLeft() method
+
+Register a nav control to be presented on the left side of the chrome header.
+
+<b>Signature:</b>
+
+```typescript
+registerLeft(navControl: ChromeNavControl): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  navControl | <code>ChromeNavControl</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
index 6e5dab83e6b53..a6c17803561b2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerRight](./kibana-plugin-public.chromenavcontrols.registerright.md)
-
-## ChromeNavControls.registerRight() method
-
-Register a nav control to be presented on the right side of the chrome header.
-
-<b>Signature:</b>
-
-```typescript
-registerRight(navControl: ChromeNavControl): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  navControl | <code>ChromeNavControl</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerRight](./kibana-plugin-public.chromenavcontrols.registerright.md)
+
+## ChromeNavControls.registerRight() method
+
+Register a nav control to be presented on the right side of the chrome header.
+
+<b>Signature:</b>
+
+```typescript
+registerRight(navControl: ChromeNavControl): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  navControl | <code>ChromeNavControl</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
index 115dadaaeb31a..9cb278916dc4a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [active](./kibana-plugin-public.chromenavlink.active.md)
-
-## ChromeNavLink.active property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Indicates whether or not this app is currently on the screen.
-
-<b>Signature:</b>
-
-```typescript
-readonly active?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [active](./kibana-plugin-public.chromenavlink.active.md)
+
+## ChromeNavLink.active property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Indicates whether or not this app is currently on the screen.
+
+<b>Signature:</b>
+
+```typescript
+readonly active?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
index 995cf040d9b80..780a17617be04 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md)
-
-## ChromeNavLink.baseUrl property
-
-The base route used to open the root of an application.
-
-<b>Signature:</b>
-
-```typescript
-readonly baseUrl: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md)
+
+## ChromeNavLink.baseUrl property
+
+The base route used to open the root of an application.
+
+<b>Signature:</b>
+
+```typescript
+readonly baseUrl: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
index 231bbcddc16c4..19d5a43a29307 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [category](./kibana-plugin-public.chromenavlink.category.md)
-
-## ChromeNavLink.category property
-
-The category the app lives in
-
-<b>Signature:</b>
-
-```typescript
-readonly category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [category](./kibana-plugin-public.chromenavlink.category.md)
+
+## ChromeNavLink.category property
+
+The category the app lives in
+
+<b>Signature:</b>
+
+```typescript
+readonly category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
index c232b095d4047..d2b30530dd551 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [disabled](./kibana-plugin-public.chromenavlink.disabled.md)
-
-## ChromeNavLink.disabled property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Disables a link from being clickable.
-
-<b>Signature:</b>
-
-```typescript
-readonly disabled?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [disabled](./kibana-plugin-public.chromenavlink.disabled.md)
+
+## ChromeNavLink.disabled property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Disables a link from being clickable.
+
+<b>Signature:</b>
+
+```typescript
+readonly disabled?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
index 2c9f872a97ff2..5373e4705d1b3 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md)
-
-## ChromeNavLink.euiIconType property
-
-A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
-
-<b>Signature:</b>
-
-```typescript
-readonly euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md)
+
+## ChromeNavLink.euiIconType property
+
+A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
+
+<b>Signature:</b>
+
+```typescript
+readonly euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
index e3071ce3f161e..6d04ab6d78851 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [hidden](./kibana-plugin-public.chromenavlink.hidden.md)
-
-## ChromeNavLink.hidden property
-
-Hides a link from the navigation.
-
-<b>Signature:</b>
-
-```typescript
-readonly hidden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [hidden](./kibana-plugin-public.chromenavlink.hidden.md)
+
+## ChromeNavLink.hidden property
+
+Hides a link from the navigation.
+
+<b>Signature:</b>
+
+```typescript
+readonly hidden?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
index 0bad3ba8e192d..dadb2ab044640 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [icon](./kibana-plugin-public.chromenavlink.icon.md)
-
-## ChromeNavLink.icon property
-
-A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
-
-<b>Signature:</b>
-
-```typescript
-readonly icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [icon](./kibana-plugin-public.chromenavlink.icon.md)
+
+## ChromeNavLink.icon property
+
+A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
+
+<b>Signature:</b>
+
+```typescript
+readonly icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
index a06a9465d19d1..7fbabc4a42032 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [id](./kibana-plugin-public.chromenavlink.id.md)
-
-## ChromeNavLink.id property
-
-A unique identifier for looking up links.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [id](./kibana-plugin-public.chromenavlink.id.md)
+
+## ChromeNavLink.id property
+
+A unique identifier for looking up links.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
index 826762a29c30f..7d76f4dc62be4 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md)
-
-## ChromeNavLink.linkToLastSubUrl property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Whether or not the subUrl feature should be enabled.
-
-<b>Signature:</b>
-
-```typescript
-readonly linkToLastSubUrl?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md)
+
+## ChromeNavLink.linkToLastSubUrl property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Whether or not the subUrl feature should be enabled.
+
+<b>Signature:</b>
+
+```typescript
+readonly linkToLastSubUrl?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.md
index 7e7849b1a1358..2afd6ce2d58c4 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md)
-
-## ChromeNavLink interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavLink 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [active](./kibana-plugin-public.chromenavlink.active.md) | <code>boolean</code> | Indicates whether or not this app is currently on the screen. |
-|  [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md) | <code>string</code> | The base route used to open the root of an application. |
-|  [category](./kibana-plugin-public.chromenavlink.category.md) | <code>AppCategory</code> | The category the app lives in |
-|  [disabled](./kibana-plugin-public.chromenavlink.disabled.md) | <code>boolean</code> | Disables a link from being clickable. |
-|  [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
-|  [hidden](./kibana-plugin-public.chromenavlink.hidden.md) | <code>boolean</code> | Hides a link from the navigation. |
-|  [icon](./kibana-plugin-public.chromenavlink.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
-|  [id](./kibana-plugin-public.chromenavlink.id.md) | <code>string</code> | A unique identifier for looking up links. |
-|  [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md) | <code>boolean</code> | Whether or not the subUrl feature should be enabled. |
-|  [order](./kibana-plugin-public.chromenavlink.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
-|  [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md) | <code>string</code> | A url base that legacy apps can set to match deep URLs to an application. |
-|  [title](./kibana-plugin-public.chromenavlink.title.md) | <code>string</code> | The title of the application. |
-|  [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md) | <code>string</code> | A tooltip shown when hovering over an app link. |
-|  [url](./kibana-plugin-public.chromenavlink.url.md) | <code>string</code> | A url that legacy apps can set to deep link into their applications. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md)
+
+## ChromeNavLink interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavLink 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [active](./kibana-plugin-public.chromenavlink.active.md) | <code>boolean</code> | Indicates whether or not this app is currently on the screen. |
+|  [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md) | <code>string</code> | The base route used to open the root of an application. |
+|  [category](./kibana-plugin-public.chromenavlink.category.md) | <code>AppCategory</code> | The category the app lives in |
+|  [disabled](./kibana-plugin-public.chromenavlink.disabled.md) | <code>boolean</code> | Disables a link from being clickable. |
+|  [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
+|  [hidden](./kibana-plugin-public.chromenavlink.hidden.md) | <code>boolean</code> | Hides a link from the navigation. |
+|  [icon](./kibana-plugin-public.chromenavlink.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
+|  [id](./kibana-plugin-public.chromenavlink.id.md) | <code>string</code> | A unique identifier for looking up links. |
+|  [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md) | <code>boolean</code> | Whether or not the subUrl feature should be enabled. |
+|  [order](./kibana-plugin-public.chromenavlink.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
+|  [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md) | <code>string</code> | A url base that legacy apps can set to match deep URLs to an application. |
+|  [title](./kibana-plugin-public.chromenavlink.title.md) | <code>string</code> | The title of the application. |
+|  [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md) | <code>string</code> | A tooltip shown when hovering over an app link. |
+|  [url](./kibana-plugin-public.chromenavlink.url.md) | <code>string</code> | A url that legacy apps can set to deep link into their applications. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
index 6716d4ce8668d..1fef9fc1dc359 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [order](./kibana-plugin-public.chromenavlink.order.md)
-
-## ChromeNavLink.order property
-
-An ordinal used to sort nav links relative to one another for display.
-
-<b>Signature:</b>
-
-```typescript
-readonly order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [order](./kibana-plugin-public.chromenavlink.order.md)
+
+## ChromeNavLink.order property
+
+An ordinal used to sort nav links relative to one another for display.
+
+<b>Signature:</b>
+
+```typescript
+readonly order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
index 055b39e996880..1b8fb0574cf8b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md)
-
-## ChromeNavLink.subUrlBase property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A url base that legacy apps can set to match deep URLs to an application.
-
-<b>Signature:</b>
-
-```typescript
-readonly subUrlBase?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md)
+
+## ChromeNavLink.subUrlBase property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A url base that legacy apps can set to match deep URLs to an application.
+
+<b>Signature:</b>
+
+```typescript
+readonly subUrlBase?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
index 6129165a0bce1..a693b971d5178 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [title](./kibana-plugin-public.chromenavlink.title.md)
-
-## ChromeNavLink.title property
-
-The title of the application.
-
-<b>Signature:</b>
-
-```typescript
-readonly title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [title](./kibana-plugin-public.chromenavlink.title.md)
+
+## ChromeNavLink.title property
+
+The title of the application.
+
+<b>Signature:</b>
+
+```typescript
+readonly title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
index 4df513f986680..e1ff92d8d7442 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md)
-
-## ChromeNavLink.tooltip property
-
-A tooltip shown when hovering over an app link.
-
-<b>Signature:</b>
-
-```typescript
-readonly tooltip?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md)
+
+## ChromeNavLink.tooltip property
+
+A tooltip shown when hovering over an app link.
+
+<b>Signature:</b>
+
+```typescript
+readonly tooltip?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
index d8589cf3e5223..33bd8fa3411d4 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [url](./kibana-plugin-public.chromenavlink.url.md)
-
-## ChromeNavLink.url property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A url that legacy apps can set to deep link into their applications.
-
-<b>Signature:</b>
-
-```typescript
-readonly url?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [url](./kibana-plugin-public.chromenavlink.url.md)
+
+## ChromeNavLink.url property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A url that legacy apps can set to deep link into their applications.
+
+<b>Signature:</b>
+
+```typescript
+readonly url?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
index 768b3a977928a..3a057f096959a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [enableForcedAppSwitcherNavigation](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md)
-
-## ChromeNavLinks.enableForcedAppSwitcherNavigation() method
-
-Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated.
-
-<b>Signature:</b>
-
-```typescript
-enableForcedAppSwitcherNavigation(): void;
-```
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-This is only necessary when rendering the status page in place of another app, as links to that app will set the current URL and change the hash, but the routes for the correct are not loaded so nothing will happen. https://github.com/elastic/kibana/pull/29770
-
-Used only by status\_page plugin
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [enableForcedAppSwitcherNavigation](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md)
+
+## ChromeNavLinks.enableForcedAppSwitcherNavigation() method
+
+Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated.
+
+<b>Signature:</b>
+
+```typescript
+enableForcedAppSwitcherNavigation(): void;
+```
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+This is only necessary when rendering the status page in place of another app, as links to that app will set the current URL and change the hash, but the routes for the correct are not loaded so nothing will happen. https://github.com/elastic/kibana/pull/29770
+
+Used only by status\_page plugin
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
index 3018a31ea43fa..fb20c3eaeb43a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [get](./kibana-plugin-public.chromenavlinks.get.md)
-
-## ChromeNavLinks.get() method
-
-Get the state of a navlink at this point in time.
-
-<b>Signature:</b>
-
-```typescript
-get(id: string): ChromeNavLink | undefined;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ChromeNavLink | undefined`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [get](./kibana-plugin-public.chromenavlinks.get.md)
+
+## ChromeNavLinks.get() method
+
+Get the state of a navlink at this point in time.
+
+<b>Signature:</b>
+
+```typescript
+get(id: string): ChromeNavLink | undefined;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ChromeNavLink | undefined`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
index c80cf764927f5..b483ba485139e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getAll](./kibana-plugin-public.chromenavlinks.getall.md)
-
-## ChromeNavLinks.getAll() method
-
-Get the current state of all navlinks.
-
-<b>Signature:</b>
-
-```typescript
-getAll(): Array<Readonly<ChromeNavLink>>;
-```
-<b>Returns:</b>
-
-`Array<Readonly<ChromeNavLink>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getAll](./kibana-plugin-public.chromenavlinks.getall.md)
+
+## ChromeNavLinks.getAll() method
+
+Get the current state of all navlinks.
+
+<b>Signature:</b>
+
+```typescript
+getAll(): Array<Readonly<ChromeNavLink>>;
+```
+<b>Returns:</b>
+
+`Array<Readonly<ChromeNavLink>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
index 3f8cf7118172e..f31e30fbda3fa 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getForceAppSwitcherNavigation$](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md)
-
-## ChromeNavLinks.getForceAppSwitcherNavigation$() method
-
-An observable of the forced app switcher state.
-
-<b>Signature:</b>
-
-```typescript
-getForceAppSwitcherNavigation$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getForceAppSwitcherNavigation$](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md)
+
+## ChromeNavLinks.getForceAppSwitcherNavigation$() method
+
+An observable of the forced app switcher state.
+
+<b>Signature:</b>
+
+```typescript
+getForceAppSwitcherNavigation$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
index 628544c2b0081..c455b1c6c1446 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getNavLinks$](./kibana-plugin-public.chromenavlinks.getnavlinks_.md)
-
-## ChromeNavLinks.getNavLinks$() method
-
-Get an observable for a sorted list of navlinks.
-
-<b>Signature:</b>
-
-```typescript
-getNavLinks$(): Observable<Array<Readonly<ChromeNavLink>>>;
-```
-<b>Returns:</b>
-
-`Observable<Array<Readonly<ChromeNavLink>>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getNavLinks$](./kibana-plugin-public.chromenavlinks.getnavlinks_.md)
+
+## ChromeNavLinks.getNavLinks$() method
+
+Get an observable for a sorted list of navlinks.
+
+<b>Signature:</b>
+
+```typescript
+getNavLinks$(): Observable<Array<Readonly<ChromeNavLink>>>;
+```
+<b>Returns:</b>
+
+`Observable<Array<Readonly<ChromeNavLink>>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
index 9f0267a3d09d4..6deb57d9548c6 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [has](./kibana-plugin-public.chromenavlinks.has.md)
-
-## ChromeNavLinks.has() method
-
-Check whether or not a navlink exists.
-
-<b>Signature:</b>
-
-```typescript
-has(id: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [has](./kibana-plugin-public.chromenavlinks.has.md)
+
+## ChromeNavLinks.has() method
+
+Check whether or not a navlink exists.
+
+<b>Signature:</b>
+
+```typescript
+has(id: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
index 3a8222c97cd97..280277911c695 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md)
-
-## ChromeNavLinks interface
-
-[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavLinks 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [enableForcedAppSwitcherNavigation()](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md) | Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated. |
-|  [get(id)](./kibana-plugin-public.chromenavlinks.get.md) | Get the state of a navlink at this point in time. |
-|  [getAll()](./kibana-plugin-public.chromenavlinks.getall.md) | Get the current state of all navlinks. |
-|  [getForceAppSwitcherNavigation$()](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md) | An observable of the forced app switcher state. |
-|  [getNavLinks$()](./kibana-plugin-public.chromenavlinks.getnavlinks_.md) | Get an observable for a sorted list of navlinks. |
-|  [has(id)](./kibana-plugin-public.chromenavlinks.has.md) | Check whether or not a navlink exists. |
-|  [showOnly(id)](./kibana-plugin-public.chromenavlinks.showonly.md) | Remove all navlinks except the one matching the given id. |
-|  [update(id, values)](./kibana-plugin-public.chromenavlinks.update.md) | Update the navlink for the given id with the updated attributes. Returns the updated navlink or <code>undefined</code> if it does not exist. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md)
+
+## ChromeNavLinks interface
+
+[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavLinks 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [enableForcedAppSwitcherNavigation()](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md) | Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated. |
+|  [get(id)](./kibana-plugin-public.chromenavlinks.get.md) | Get the state of a navlink at this point in time. |
+|  [getAll()](./kibana-plugin-public.chromenavlinks.getall.md) | Get the current state of all navlinks. |
+|  [getForceAppSwitcherNavigation$()](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md) | An observable of the forced app switcher state. |
+|  [getNavLinks$()](./kibana-plugin-public.chromenavlinks.getnavlinks_.md) | Get an observable for a sorted list of navlinks. |
+|  [has(id)](./kibana-plugin-public.chromenavlinks.has.md) | Check whether or not a navlink exists. |
+|  [showOnly(id)](./kibana-plugin-public.chromenavlinks.showonly.md) | Remove all navlinks except the one matching the given id. |
+|  [update(id, values)](./kibana-plugin-public.chromenavlinks.update.md) | Update the navlink for the given id with the updated attributes. Returns the updated navlink or <code>undefined</code> if it does not exist. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
index 3746f3491844b..0fdb0bba0faa8 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [showOnly](./kibana-plugin-public.chromenavlinks.showonly.md)
-
-## ChromeNavLinks.showOnly() method
-
-Remove all navlinks except the one matching the given id.
-
-<b>Signature:</b>
-
-```typescript
-showOnly(id: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-NOTE: this is not reversible.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [showOnly](./kibana-plugin-public.chromenavlinks.showonly.md)
+
+## ChromeNavLinks.showOnly() method
+
+Remove all navlinks except the one matching the given id.
+
+<b>Signature:</b>
+
+```typescript
+showOnly(id: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+NOTE: this is not reversible.
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
index d1cd2d3b04950..155d149f334a1 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [update](./kibana-plugin-public.chromenavlinks.update.md)
-
-## ChromeNavLinks.update() method
-
-> Warning: This API is now obsolete.
-> 
-> Uses the [AppBase.updater$](./kibana-plugin-public.appbase.updater_.md) property when registering your application with [ApplicationSetup.register()](./kibana-plugin-public.applicationsetup.register.md) instead.
-> 
-
-Update the navlink for the given id with the updated attributes. Returns the updated navlink or `undefined` if it does not exist.
-
-<b>Signature:</b>
-
-```typescript
-update(id: string, values: ChromeNavLinkUpdateableFields): ChromeNavLink | undefined;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-|  values | <code>ChromeNavLinkUpdateableFields</code> |  |
-
-<b>Returns:</b>
-
-`ChromeNavLink | undefined`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [update](./kibana-plugin-public.chromenavlinks.update.md)
+
+## ChromeNavLinks.update() method
+
+> Warning: This API is now obsolete.
+> 
+> Uses the [AppBase.updater$](./kibana-plugin-public.appbase.updater_.md) property when registering your application with [ApplicationSetup.register()](./kibana-plugin-public.applicationsetup.register.md) instead.
+> 
+
+Update the navlink for the given id with the updated attributes. Returns the updated navlink or `undefined` if it does not exist.
+
+<b>Signature:</b>
+
+```typescript
+update(id: string, values: ChromeNavLinkUpdateableFields): ChromeNavLink | undefined;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+|  values | <code>ChromeNavLinkUpdateableFields</code> |  |
+
+<b>Returns:</b>
+
+`ChromeNavLink | undefined`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md b/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
index 6b17174975db9..f8be488c170a2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md)
-
-## ChromeNavLinkUpdateableFields type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeNavLinkUpdateableFields = Partial<Pick<ChromeNavLink, 'active' | 'disabled' | 'hidden' | 'url' | 'subUrlBase'>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md)
+
+## ChromeNavLinkUpdateableFields type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeNavLinkUpdateableFields = Partial<Pick<ChromeNavLink, 'active' | 'disabled' | 'hidden' | 'url' | 'subUrlBase'>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
index 8d780f3c5d537..428f9a0d990bc 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [add](./kibana-plugin-public.chromerecentlyaccessed.add.md)
-
-## ChromeRecentlyAccessed.add() method
-
-Adds a new item to the recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-add(link: string, label: string, id: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  link | <code>string</code> |  |
-|  label | <code>string</code> |  |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [add](./kibana-plugin-public.chromerecentlyaccessed.add.md)
+
+## ChromeRecentlyAccessed.add() method
+
+Adds a new item to the recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+add(link: string, label: string, id: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  link | <code>string</code> |  |
+|  label | <code>string</code> |  |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
index b176abb44a002..39f2ac6003a57 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get](./kibana-plugin-public.chromerecentlyaccessed.get.md)
-
-## ChromeRecentlyAccessed.get() method
-
-Gets an Array of the current recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-get(): ChromeRecentlyAccessedHistoryItem[];
-```
-<b>Returns:</b>
-
-`ChromeRecentlyAccessedHistoryItem[]`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.get().forEach(console.log);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get](./kibana-plugin-public.chromerecentlyaccessed.get.md)
+
+## ChromeRecentlyAccessed.get() method
+
+Gets an Array of the current recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+get(): ChromeRecentlyAccessedHistoryItem[];
+```
+<b>Returns:</b>
+
+`ChromeRecentlyAccessedHistoryItem[]`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.get().forEach(console.log);
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
index d6b4e9f6b4f91..92452b185d673 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get$](./kibana-plugin-public.chromerecentlyaccessed.get_.md)
-
-## ChromeRecentlyAccessed.get$() method
-
-Gets an Observable of the array of recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-get$(): Observable<ChromeRecentlyAccessedHistoryItem[]>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeRecentlyAccessedHistoryItem[]>`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.get$().subscribe(console.log);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get$](./kibana-plugin-public.chromerecentlyaccessed.get_.md)
+
+## ChromeRecentlyAccessed.get$() method
+
+Gets an Observable of the array of recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+get$(): Observable<ChromeRecentlyAccessedHistoryItem[]>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeRecentlyAccessedHistoryItem[]>`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.get$().subscribe(console.log);
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
index ed395ae3e7a0e..014435b6bc6ef 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md)
-
-## ChromeRecentlyAccessed interface
-
-[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeRecentlyAccessed 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [add(link, label, id)](./kibana-plugin-public.chromerecentlyaccessed.add.md) | Adds a new item to the recently accessed history. |
-|  [get()](./kibana-plugin-public.chromerecentlyaccessed.get.md) | Gets an Array of the current recently accessed history. |
-|  [get$()](./kibana-plugin-public.chromerecentlyaccessed.get_.md) | Gets an Observable of the array of recently accessed history. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md)
+
+## ChromeRecentlyAccessed interface
+
+[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeRecentlyAccessed 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [add(link, label, id)](./kibana-plugin-public.chromerecentlyaccessed.add.md) | Adds a new item to the recently accessed history. |
+|  [get()](./kibana-plugin-public.chromerecentlyaccessed.get.md) | Gets an Array of the current recently accessed history. |
+|  [get$()](./kibana-plugin-public.chromerecentlyaccessed.get_.md) | Gets an Observable of the array of recently accessed history. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
index ea35caaae183b..b95ac60ce91df 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md)
-
-## ChromeRecentlyAccessedHistoryItem.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md)
+
+## ChromeRecentlyAccessedHistoryItem.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
index 6649890acfd0d..2d289ad168721 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md)
-
-## ChromeRecentlyAccessedHistoryItem.label property
-
-<b>Signature:</b>
-
-```typescript
-label: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md)
+
+## ChromeRecentlyAccessedHistoryItem.label property
+
+<b>Signature:</b>
+
+```typescript
+label: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
index ef4c494474c88..3123d6a5e0d79 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md)
-
-## ChromeRecentlyAccessedHistoryItem.link property
-
-<b>Signature:</b>
-
-```typescript
-link: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md)
+
+## ChromeRecentlyAccessedHistoryItem.link property
+
+<b>Signature:</b>
+
+```typescript
+link: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
index 6c526296f1278..1f74608e4e0f5 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md)
-
-## ChromeRecentlyAccessedHistoryItem interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeRecentlyAccessedHistoryItem 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md) | <code>string</code> |  |
-|  [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md) | <code>string</code> |  |
-|  [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md)
+
+## ChromeRecentlyAccessedHistoryItem interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeRecentlyAccessedHistoryItem 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md) | <code>string</code> |  |
+|  [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md) | <code>string</code> |  |
+|  [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md b/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
index 31729f6320d13..b74542014b89c 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [addApplicationClass](./kibana-plugin-public.chromestart.addapplicationclass.md)
-
-## ChromeStart.addApplicationClass() method
-
-Add a className that should be set on the application container.
-
-<b>Signature:</b>
-
-```typescript
-addApplicationClass(className: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  className | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [addApplicationClass](./kibana-plugin-public.chromestart.addapplicationclass.md)
+
+## ChromeStart.addApplicationClass() method
+
+Add a className that should be set on the application container.
+
+<b>Signature:</b>
+
+```typescript
+addApplicationClass(className: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  className | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md b/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
index 100afe2ae0c6e..71eda64c24646 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [docTitle](./kibana-plugin-public.chromestart.doctitle.md)
-
-## ChromeStart.docTitle property
-
-APIs for accessing and updating the document title.
-
-<b>Signature:</b>
-
-```typescript
-docTitle: ChromeDocTitle;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [docTitle](./kibana-plugin-public.chromestart.doctitle.md)
+
+## ChromeStart.docTitle property
+
+APIs for accessing and updating the document title.
+
+<b>Signature:</b>
+
+```typescript
+docTitle: ChromeDocTitle;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
index 51f5253ede161..f01710478c635 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getApplicationClasses$](./kibana-plugin-public.chromestart.getapplicationclasses_.md)
-
-## ChromeStart.getApplicationClasses$() method
-
-Get the current set of classNames that will be set on the application container.
-
-<b>Signature:</b>
-
-```typescript
-getApplicationClasses$(): Observable<string[]>;
-```
-<b>Returns:</b>
-
-`Observable<string[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getApplicationClasses$](./kibana-plugin-public.chromestart.getapplicationclasses_.md)
+
+## ChromeStart.getApplicationClasses$() method
+
+Get the current set of classNames that will be set on the application container.
+
+<b>Signature:</b>
+
+```typescript
+getApplicationClasses$(): Observable<string[]>;
+```
+<b>Returns:</b>
+
+`Observable<string[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
index 36b5c942e8dc2..36f98defeb51e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBadge$](./kibana-plugin-public.chromestart.getbadge_.md)
-
-## ChromeStart.getBadge$() method
-
-Get an observable of the current badge
-
-<b>Signature:</b>
-
-```typescript
-getBadge$(): Observable<ChromeBadge | undefined>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBadge | undefined>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBadge$](./kibana-plugin-public.chromestart.getbadge_.md)
+
+## ChromeStart.getBadge$() method
+
+Get an observable of the current badge
+
+<b>Signature:</b>
+
+```typescript
+getBadge$(): Observable<ChromeBadge | undefined>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBadge | undefined>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
index 7010ccd632f4a..aab0f13070fbc 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBrand$](./kibana-plugin-public.chromestart.getbrand_.md)
-
-## ChromeStart.getBrand$() method
-
-Get an observable of the current brand information.
-
-<b>Signature:</b>
-
-```typescript
-getBrand$(): Observable<ChromeBrand>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBrand>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBrand$](./kibana-plugin-public.chromestart.getbrand_.md)
+
+## ChromeStart.getBrand$() method
+
+Get an observable of the current brand information.
+
+<b>Signature:</b>
+
+```typescript
+getBrand$(): Observable<ChromeBrand>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBrand>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
index ac97863f16ad0..38fc384d6a704 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBreadcrumbs$](./kibana-plugin-public.chromestart.getbreadcrumbs_.md)
-
-## ChromeStart.getBreadcrumbs$() method
-
-Get an observable of the current list of breadcrumbs
-
-<b>Signature:</b>
-
-```typescript
-getBreadcrumbs$(): Observable<ChromeBreadcrumb[]>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBreadcrumb[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBreadcrumbs$](./kibana-plugin-public.chromestart.getbreadcrumbs_.md)
+
+## ChromeStart.getBreadcrumbs$() method
+
+Get an observable of the current list of breadcrumbs
+
+<b>Signature:</b>
+
+```typescript
+getBreadcrumbs$(): Observable<ChromeBreadcrumb[]>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBreadcrumb[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md b/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
index ff642651cedef..6008a4f29506d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getHelpExtension$](./kibana-plugin-public.chromestart.gethelpextension_.md)
-
-## ChromeStart.getHelpExtension$() method
-
-Get an observable of the current custom help conttent
-
-<b>Signature:</b>
-
-```typescript
-getHelpExtension$(): Observable<ChromeHelpExtension | undefined>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeHelpExtension | undefined>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getHelpExtension$](./kibana-plugin-public.chromestart.gethelpextension_.md)
+
+## ChromeStart.getHelpExtension$() method
+
+Get an observable of the current custom help conttent
+
+<b>Signature:</b>
+
+```typescript
+getHelpExtension$(): Observable<ChromeHelpExtension | undefined>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeHelpExtension | undefined>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
index 98a1d3bfdd42e..59871a78c4100 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsCollapsed$](./kibana-plugin-public.chromestart.getiscollapsed_.md)
-
-## ChromeStart.getIsCollapsed$() method
-
-Get an observable of the current collapsed state of the chrome.
-
-<b>Signature:</b>
-
-```typescript
-getIsCollapsed$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsCollapsed$](./kibana-plugin-public.chromestart.getiscollapsed_.md)
+
+## ChromeStart.getIsCollapsed$() method
+
+Get an observable of the current collapsed state of the chrome.
+
+<b>Signature:</b>
+
+```typescript
+getIsCollapsed$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
index 8772b30cf8c8e..f597dbd194109 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsVisible$](./kibana-plugin-public.chromestart.getisvisible_.md)
-
-## ChromeStart.getIsVisible$() method
-
-Get an observable of the current visibility state of the chrome.
-
-<b>Signature:</b>
-
-```typescript
-getIsVisible$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsVisible$](./kibana-plugin-public.chromestart.getisvisible_.md)
+
+## ChromeStart.getIsVisible$() method
+
+Get an observable of the current visibility state of the chrome.
+
+<b>Signature:</b>
+
+```typescript
+getIsVisible$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.md b/docs/development/core/public/kibana-plugin-public.chromestart.md
index 4b79f682d4e40..4e44e5bf05074 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.md
@@ -1,70 +1,70 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md)
-
-## ChromeStart interface
-
-ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeStart 
-```
-
-## Remarks
-
-While ChromeStart exposes many APIs, they should be used sparingly and the developer should understand how they affect other plugins and applications.
-
-## Example 1
-
-How to add a recently accessed item to the sidebar:
-
-```ts
-core.chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
-
-```
-
-## Example 2
-
-How to set the help dropdown extension:
-
-```tsx
-core.chrome.setHelpExtension(elem => {
-  ReactDOM.render(<MyHelpComponent />, elem);
-  return () => ReactDOM.unmountComponentAtNode(elem);
-});
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [docTitle](./kibana-plugin-public.chromestart.doctitle.md) | <code>ChromeDocTitle</code> | APIs for accessing and updating the document title. |
-|  [navControls](./kibana-plugin-public.chromestart.navcontrols.md) | <code>ChromeNavControls</code> | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
-|  [navLinks](./kibana-plugin-public.chromestart.navlinks.md) | <code>ChromeNavLinks</code> | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
-|  [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md) | <code>ChromeRecentlyAccessed</code> | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [addApplicationClass(className)](./kibana-plugin-public.chromestart.addapplicationclass.md) | Add a className that should be set on the application container. |
-|  [getApplicationClasses$()](./kibana-plugin-public.chromestart.getapplicationclasses_.md) | Get the current set of classNames that will be set on the application container. |
-|  [getBadge$()](./kibana-plugin-public.chromestart.getbadge_.md) | Get an observable of the current badge |
-|  [getBrand$()](./kibana-plugin-public.chromestart.getbrand_.md) | Get an observable of the current brand information. |
-|  [getBreadcrumbs$()](./kibana-plugin-public.chromestart.getbreadcrumbs_.md) | Get an observable of the current list of breadcrumbs |
-|  [getHelpExtension$()](./kibana-plugin-public.chromestart.gethelpextension_.md) | Get an observable of the current custom help conttent |
-|  [getIsCollapsed$()](./kibana-plugin-public.chromestart.getiscollapsed_.md) | Get an observable of the current collapsed state of the chrome. |
-|  [getIsVisible$()](./kibana-plugin-public.chromestart.getisvisible_.md) | Get an observable of the current visibility state of the chrome. |
-|  [removeApplicationClass(className)](./kibana-plugin-public.chromestart.removeapplicationclass.md) | Remove a className added with <code>addApplicationClass()</code>. If className is unknown it is ignored. |
-|  [setAppTitle(appTitle)](./kibana-plugin-public.chromestart.setapptitle.md) | Sets the current app's title |
-|  [setBadge(badge)](./kibana-plugin-public.chromestart.setbadge.md) | Override the current badge |
-|  [setBrand(brand)](./kibana-plugin-public.chromestart.setbrand.md) | Set the brand configuration. |
-|  [setBreadcrumbs(newBreadcrumbs)](./kibana-plugin-public.chromestart.setbreadcrumbs.md) | Override the current set of breadcrumbs |
-|  [setHelpExtension(helpExtension)](./kibana-plugin-public.chromestart.sethelpextension.md) | Override the current set of custom help content |
-|  [setHelpSupportUrl(url)](./kibana-plugin-public.chromestart.sethelpsupporturl.md) | Override the default support URL shown in the help menu |
-|  [setIsCollapsed(isCollapsed)](./kibana-plugin-public.chromestart.setiscollapsed.md) | Set the collapsed state of the chrome navigation. |
-|  [setIsVisible(isVisible)](./kibana-plugin-public.chromestart.setisvisible.md) | Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md)
+
+## ChromeStart interface
+
+ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeStart 
+```
+
+## Remarks
+
+While ChromeStart exposes many APIs, they should be used sparingly and the developer should understand how they affect other plugins and applications.
+
+## Example 1
+
+How to add a recently accessed item to the sidebar:
+
+```ts
+core.chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
+
+```
+
+## Example 2
+
+How to set the help dropdown extension:
+
+```tsx
+core.chrome.setHelpExtension(elem => {
+  ReactDOM.render(<MyHelpComponent />, elem);
+  return () => ReactDOM.unmountComponentAtNode(elem);
+});
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [docTitle](./kibana-plugin-public.chromestart.doctitle.md) | <code>ChromeDocTitle</code> | APIs for accessing and updating the document title. |
+|  [navControls](./kibana-plugin-public.chromestart.navcontrols.md) | <code>ChromeNavControls</code> | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
+|  [navLinks](./kibana-plugin-public.chromestart.navlinks.md) | <code>ChromeNavLinks</code> | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
+|  [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md) | <code>ChromeRecentlyAccessed</code> | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [addApplicationClass(className)](./kibana-plugin-public.chromestart.addapplicationclass.md) | Add a className that should be set on the application container. |
+|  [getApplicationClasses$()](./kibana-plugin-public.chromestart.getapplicationclasses_.md) | Get the current set of classNames that will be set on the application container. |
+|  [getBadge$()](./kibana-plugin-public.chromestart.getbadge_.md) | Get an observable of the current badge |
+|  [getBrand$()](./kibana-plugin-public.chromestart.getbrand_.md) | Get an observable of the current brand information. |
+|  [getBreadcrumbs$()](./kibana-plugin-public.chromestart.getbreadcrumbs_.md) | Get an observable of the current list of breadcrumbs |
+|  [getHelpExtension$()](./kibana-plugin-public.chromestart.gethelpextension_.md) | Get an observable of the current custom help conttent |
+|  [getIsCollapsed$()](./kibana-plugin-public.chromestart.getiscollapsed_.md) | Get an observable of the current collapsed state of the chrome. |
+|  [getIsVisible$()](./kibana-plugin-public.chromestart.getisvisible_.md) | Get an observable of the current visibility state of the chrome. |
+|  [removeApplicationClass(className)](./kibana-plugin-public.chromestart.removeapplicationclass.md) | Remove a className added with <code>addApplicationClass()</code>. If className is unknown it is ignored. |
+|  [setAppTitle(appTitle)](./kibana-plugin-public.chromestart.setapptitle.md) | Sets the current app's title |
+|  [setBadge(badge)](./kibana-plugin-public.chromestart.setbadge.md) | Override the current badge |
+|  [setBrand(brand)](./kibana-plugin-public.chromestart.setbrand.md) | Set the brand configuration. |
+|  [setBreadcrumbs(newBreadcrumbs)](./kibana-plugin-public.chromestart.setbreadcrumbs.md) | Override the current set of breadcrumbs |
+|  [setHelpExtension(helpExtension)](./kibana-plugin-public.chromestart.sethelpextension.md) | Override the current set of custom help content |
+|  [setHelpSupportUrl(url)](./kibana-plugin-public.chromestart.sethelpsupporturl.md) | Override the default support URL shown in the help menu |
+|  [setIsCollapsed(isCollapsed)](./kibana-plugin-public.chromestart.setiscollapsed.md) | Set the collapsed state of the chrome navigation. |
+|  [setIsVisible(isVisible)](./kibana-plugin-public.chromestart.setisvisible.md) | Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md b/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
index 0ba72348499d2..0a8e0e5c6da2b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navControls](./kibana-plugin-public.chromestart.navcontrols.md)
-
-## ChromeStart.navControls property
-
-[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
-
-<b>Signature:</b>
-
-```typescript
-navControls: ChromeNavControls;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navControls](./kibana-plugin-public.chromestart.navcontrols.md)
+
+## ChromeStart.navControls property
+
+[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
+
+<b>Signature:</b>
+
+```typescript
+navControls: ChromeNavControls;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md b/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
index db512ed83942d..047e72d9ce819 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navLinks](./kibana-plugin-public.chromestart.navlinks.md)
-
-## ChromeStart.navLinks property
-
-[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: ChromeNavLinks;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navLinks](./kibana-plugin-public.chromestart.navlinks.md)
+
+## ChromeStart.navLinks property
+
+[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: ChromeNavLinks;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md b/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
index 14b85cea366ec..d2e54ca956cae 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md)
-
-## ChromeStart.recentlyAccessed property
-
-[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-recentlyAccessed: ChromeRecentlyAccessed;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md)
+
+## ChromeStart.recentlyAccessed property
+
+[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+recentlyAccessed: ChromeRecentlyAccessed;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md b/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
index 3b5ca813218dc..73a0f65449a20 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [removeApplicationClass](./kibana-plugin-public.chromestart.removeapplicationclass.md)
-
-## ChromeStart.removeApplicationClass() method
-
-Remove a className added with `addApplicationClass()`<!-- -->. If className is unknown it is ignored.
-
-<b>Signature:</b>
-
-```typescript
-removeApplicationClass(className: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  className | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [removeApplicationClass](./kibana-plugin-public.chromestart.removeapplicationclass.md)
+
+## ChromeStart.removeApplicationClass() method
+
+Remove a className added with `addApplicationClass()`<!-- -->. If className is unknown it is ignored.
+
+<b>Signature:</b>
+
+```typescript
+removeApplicationClass(className: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  className | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md b/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
index 4927bd58b19af..ec24b77f127fe 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setAppTitle](./kibana-plugin-public.chromestart.setapptitle.md)
-
-## ChromeStart.setAppTitle() method
-
-Sets the current app's title
-
-<b>Signature:</b>
-
-```typescript
-setAppTitle(appTitle: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appTitle | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setAppTitle](./kibana-plugin-public.chromestart.setapptitle.md)
+
+## ChromeStart.setAppTitle() method
+
+Sets the current app's title
+
+<b>Signature:</b>
+
+```typescript
+setAppTitle(appTitle: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appTitle | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
index cbbe408c1a791..a9da8e2fec641 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBadge](./kibana-plugin-public.chromestart.setbadge.md)
-
-## ChromeStart.setBadge() method
-
-Override the current badge
-
-<b>Signature:</b>
-
-```typescript
-setBadge(badge?: ChromeBadge): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  badge | <code>ChromeBadge</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBadge](./kibana-plugin-public.chromestart.setbadge.md)
+
+## ChromeStart.setBadge() method
+
+Override the current badge
+
+<b>Signature:</b>
+
+```typescript
+setBadge(badge?: ChromeBadge): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  badge | <code>ChromeBadge</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
index 487dcb227ba23..3fcf9df612594 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
@@ -1,39 +1,39 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBrand](./kibana-plugin-public.chromestart.setbrand.md)
-
-## ChromeStart.setBrand() method
-
-Set the brand configuration.
-
-<b>Signature:</b>
-
-```typescript
-setBrand(brand: ChromeBrand): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  brand | <code>ChromeBrand</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-Normally the `logo` property will be rendered as the CSS background for the home link in the chrome navigation, but when the page is rendered in a small window the `smallLogo` will be used and rendered at about 45px wide.
-
-## Example
-
-
-```js
-chrome.setBrand({
-  logo: 'url(/plugins/app/logo.png) center no-repeat'
-  smallLogo: 'url(/plugins/app/logo-small.png) center no-repeat'
-})
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBrand](./kibana-plugin-public.chromestart.setbrand.md)
+
+## ChromeStart.setBrand() method
+
+Set the brand configuration.
+
+<b>Signature:</b>
+
+```typescript
+setBrand(brand: ChromeBrand): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  brand | <code>ChromeBrand</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+Normally the `logo` property will be rendered as the CSS background for the home link in the chrome navigation, but when the page is rendered in a small window the `smallLogo` will be used and rendered at about 45px wide.
+
+## Example
+
+
+```js
+chrome.setBrand({
+  logo: 'url(/plugins/app/logo.png) center no-repeat'
+  smallLogo: 'url(/plugins/app/logo-small.png) center no-repeat'
+})
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
index 0c54d123454e0..a533ea34a9106 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBreadcrumbs](./kibana-plugin-public.chromestart.setbreadcrumbs.md)
-
-## ChromeStart.setBreadcrumbs() method
-
-Override the current set of breadcrumbs
-
-<b>Signature:</b>
-
-```typescript
-setBreadcrumbs(newBreadcrumbs: ChromeBreadcrumb[]): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  newBreadcrumbs | <code>ChromeBreadcrumb[]</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBreadcrumbs](./kibana-plugin-public.chromestart.setbreadcrumbs.md)
+
+## ChromeStart.setBreadcrumbs() method
+
+Override the current set of breadcrumbs
+
+<b>Signature:</b>
+
+```typescript
+setBreadcrumbs(newBreadcrumbs: ChromeBreadcrumb[]): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  newBreadcrumbs | <code>ChromeBreadcrumb[]</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
index 1cfa1b19cb0fe..900848e7756e2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpExtension](./kibana-plugin-public.chromestart.sethelpextension.md)
-
-## ChromeStart.setHelpExtension() method
-
-Override the current set of custom help content
-
-<b>Signature:</b>
-
-```typescript
-setHelpExtension(helpExtension?: ChromeHelpExtension): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  helpExtension | <code>ChromeHelpExtension</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpExtension](./kibana-plugin-public.chromestart.sethelpextension.md)
+
+## ChromeStart.setHelpExtension() method
+
+Override the current set of custom help content
+
+<b>Signature:</b>
+
+```typescript
+setHelpExtension(helpExtension?: ChromeHelpExtension): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  helpExtension | <code>ChromeHelpExtension</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
index 9f1869bf3f950..975283ce59cb7 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpSupportUrl](./kibana-plugin-public.chromestart.sethelpsupporturl.md)
-
-## ChromeStart.setHelpSupportUrl() method
-
-Override the default support URL shown in the help menu
-
-<b>Signature:</b>
-
-```typescript
-setHelpSupportUrl(url: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  url | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpSupportUrl](./kibana-plugin-public.chromestart.sethelpsupporturl.md)
+
+## ChromeStart.setHelpSupportUrl() method
+
+Override the default support URL shown in the help menu
+
+<b>Signature:</b>
+
+```typescript
+setHelpSupportUrl(url: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  url | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md b/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
index 8cfa2bd9ba6d9..59732bf103acc 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsCollapsed](./kibana-plugin-public.chromestart.setiscollapsed.md)
-
-## ChromeStart.setIsCollapsed() method
-
-Set the collapsed state of the chrome navigation.
-
-<b>Signature:</b>
-
-```typescript
-setIsCollapsed(isCollapsed: boolean): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  isCollapsed | <code>boolean</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsCollapsed](./kibana-plugin-public.chromestart.setiscollapsed.md)
+
+## ChromeStart.setIsCollapsed() method
+
+Set the collapsed state of the chrome navigation.
+
+<b>Signature:</b>
+
+```typescript
+setIsCollapsed(isCollapsed: boolean): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  isCollapsed | <code>boolean</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md b/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
index 471efb270416a..1536c82f00086 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsVisible](./kibana-plugin-public.chromestart.setisvisible.md)
-
-## ChromeStart.setIsVisible() method
-
-Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button.
-
-<b>Signature:</b>
-
-```typescript
-setIsVisible(isVisible: boolean): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  isVisible | <code>boolean</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsVisible](./kibana-plugin-public.chromestart.setisvisible.md)
+
+## ChromeStart.setIsVisible() method
+
+Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button.
+
+<b>Signature:</b>
+
+```typescript
+setIsVisible(isVisible: boolean): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  isVisible | <code>boolean</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md b/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
index e1bb5bedd5a7e..5334eee842577 100644
--- a/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
+++ b/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-public.contextsetup.createcontextcontainer.md)
-
-## ContextSetup.createContextContainer() method
-
-Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner.
-
-<b>Signature:</b>
-
-```typescript
-createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
-```
-<b>Returns:</b>
-
-`IContextContainer<THandler>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-public.contextsetup.createcontextcontainer.md)
+
+## ContextSetup.createContextContainer() method
+
+Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner.
+
+<b>Signature:</b>
+
+```typescript
+createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
+```
+<b>Returns:</b>
+
+`IContextContainer<THandler>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.contextsetup.md b/docs/development/core/public/kibana-plugin-public.contextsetup.md
index fe9a2e3004708..d4399b6ba70c4 100644
--- a/docs/development/core/public/kibana-plugin-public.contextsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.contextsetup.md
@@ -1,138 +1,138 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md)
-
-## ContextSetup interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface ContextSetup 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Example
-
-Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
-
-```ts
-export interface VizRenderContext {
-  core: {
-    i18n: I18nStart;
-    uiSettings: IUiSettingsClient;
-  }
-  [contextName: string]: unknown;
-}
-
-export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
-// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
-type BoundVizRenderer = (domElement: HTMLElement) => () => void;
-
-class VizRenderingPlugin {
-  private readonly contextContainer?: IContextContainer<VizRenderer>;
-  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
-        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
-    };
-  }
-
-  start(core) {
-    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
-    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
-      i18n: core.i18n,
-      uiSettings: core.uiSettings
-    }));
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-
-      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
-        if (!this.vizRenderer.has(renderMethod)) {
-          throw new Error(`Render method '${renderMethod}' has not been registered`);
-        }
-
-        // The handler can now be called directly with only an `HTMLElement` and will automatically
-        // have a new `context` object created and populated by the context container.
-        const handler = this.vizRenderers.get(renderMethod)
-        return handler(domElement);
-      }
-    };
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createContextContainer()](./kibana-plugin-public.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md)
+
+## ContextSetup interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface ContextSetup 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Example
+
+Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
+
+```ts
+export interface VizRenderContext {
+  core: {
+    i18n: I18nStart;
+    uiSettings: IUiSettingsClient;
+  }
+  [contextName: string]: unknown;
+}
+
+export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
+// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
+type BoundVizRenderer = (domElement: HTMLElement) => () => void;
+
+class VizRenderingPlugin {
+  private readonly contextContainer?: IContextContainer<VizRenderer>;
+  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
+        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
+    };
+  }
+
+  start(core) {
+    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
+    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
+      i18n: core.i18n,
+      uiSettings: core.uiSettings
+    }));
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+
+      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
+        if (!this.vizRenderer.has(renderMethod)) {
+          throw new Error(`Render method '${renderMethod}' has not been registered`);
+        }
+
+        // The handler can now be called directly with only an `HTMLElement` and will automatically
+        // have a new `context` object created and populated by the context container.
+        const handler = this.vizRenderers.get(renderMethod)
+        return handler(domElement);
+      }
+    };
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createContextContainer()](./kibana-plugin-public.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.application.md b/docs/development/core/public/kibana-plugin-public.coresetup.application.md
index 2b4b54b0023ee..4b39b2c76802b 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.application.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.application.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [application](./kibana-plugin-public.coresetup.application.md)
-
-## CoreSetup.application property
-
-[ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-application: ApplicationSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [application](./kibana-plugin-public.coresetup.application.md)
+
+## CoreSetup.application property
+
+[ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+application: ApplicationSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.context.md b/docs/development/core/public/kibana-plugin-public.coresetup.context.md
index 12f8255482385..f2a891c6c674e 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.context.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.context.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [context](./kibana-plugin-public.coresetup.context.md)
-
-## CoreSetup.context property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-[ContextSetup](./kibana-plugin-public.contextsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-context: ContextSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [context](./kibana-plugin-public.coresetup.context.md)
+
+## CoreSetup.context property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+[ContextSetup](./kibana-plugin-public.contextsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+context: ContextSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md b/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
index 8f96ffd2c15e8..5d51af0898e4f 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md)
-
-## CoreSetup.fatalErrors property
-
-[FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-fatalErrors: FatalErrorsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md)
+
+## CoreSetup.fatalErrors property
+
+[FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+fatalErrors: FatalErrorsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md b/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
index 188e4664934ff..b89d98b0a9ed5 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [getStartServices](./kibana-plugin-public.coresetup.getstartservices.md)
-
-## CoreSetup.getStartServices() method
-
-Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-getStartServices(): Promise<[CoreStart, TPluginsStart]>;
-```
-<b>Returns:</b>
-
-`Promise<[CoreStart, TPluginsStart]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [getStartServices](./kibana-plugin-public.coresetup.getstartservices.md)
+
+## CoreSetup.getStartServices() method
+
+Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+getStartServices(): Promise<[CoreStart, TPluginsStart]>;
+```
+<b>Returns:</b>
+
+`Promise<[CoreStart, TPluginsStart]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.http.md b/docs/development/core/public/kibana-plugin-public.coresetup.http.md
index 112f80093361c..7471f7daa668d 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.http.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [http](./kibana-plugin-public.coresetup.http.md)
-
-## CoreSetup.http property
-
-[HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [http](./kibana-plugin-public.coresetup.http.md)
+
+## CoreSetup.http property
+
+[HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
index a62b8b99ee131..f9c1a283e3808 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md)
-
-## CoreSetup.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: {
-        getInjectedVar: (name: string, defaultValue?: any) => unknown;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md)
+
+## CoreSetup.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: {
+        getInjectedVar: (name: string, defaultValue?: any) => unknown;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.md b/docs/development/core/public/kibana-plugin-public.coresetup.md
index ae423c6e8d79c..7d75782df2e32 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md)
-
-## CoreSetup interface
-
-Core services exposed to the `Plugin` setup lifecycle
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreSetup<TPluginsStart extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [application](./kibana-plugin-public.coresetup.application.md) | <code>ApplicationSetup</code> | [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
-|  [context](./kibana-plugin-public.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-public.contextsetup.md) |
-|  [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md) | <code>FatalErrorsSetup</code> | [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) |
-|  [http](./kibana-plugin-public.coresetup.http.md) | <code>HttpSetup</code> | [HttpSetup](./kibana-plugin-public.httpsetup.md) |
-|  [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
-|  [notifications](./kibana-plugin-public.coresetup.notifications.md) | <code>NotificationsSetup</code> | [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |
-|  [uiSettings](./kibana-plugin-public.coresetup.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md)
+
+## CoreSetup interface
+
+Core services exposed to the `Plugin` setup lifecycle
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreSetup<TPluginsStart extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [application](./kibana-plugin-public.coresetup.application.md) | <code>ApplicationSetup</code> | [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
+|  [context](./kibana-plugin-public.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-public.contextsetup.md) |
+|  [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md) | <code>FatalErrorsSetup</code> | [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) |
+|  [http](./kibana-plugin-public.coresetup.http.md) | <code>HttpSetup</code> | [HttpSetup](./kibana-plugin-public.httpsetup.md) |
+|  [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
+|  [notifications](./kibana-plugin-public.coresetup.notifications.md) | <code>NotificationsSetup</code> | [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |
+|  [uiSettings](./kibana-plugin-public.coresetup.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md b/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
index 52808b860a9e6..ea050925bbafc 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [notifications](./kibana-plugin-public.coresetup.notifications.md)
-
-## CoreSetup.notifications property
-
-[NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-notifications: NotificationsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [notifications](./kibana-plugin-public.coresetup.notifications.md)
+
+## CoreSetup.notifications property
+
+[NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+notifications: NotificationsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md b/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
index 51aa9916f7f07..bf9ec12e3eea2 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [uiSettings](./kibana-plugin-public.coresetup.uisettings.md)
-
-## CoreSetup.uiSettings property
-
-[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: IUiSettingsClient;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [uiSettings](./kibana-plugin-public.coresetup.uisettings.md)
+
+## CoreSetup.uiSettings property
+
+[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: IUiSettingsClient;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.application.md b/docs/development/core/public/kibana-plugin-public.corestart.application.md
index b8565c5812aaf..c26701ca80529 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.application.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.application.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [application](./kibana-plugin-public.corestart.application.md)
-
-## CoreStart.application property
-
-[ApplicationStart](./kibana-plugin-public.applicationstart.md)
-
-<b>Signature:</b>
-
-```typescript
-application: ApplicationStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [application](./kibana-plugin-public.corestart.application.md)
+
+## CoreStart.application property
+
+[ApplicationStart](./kibana-plugin-public.applicationstart.md)
+
+<b>Signature:</b>
+
+```typescript
+application: ApplicationStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.chrome.md b/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
index 02f410b08b024..390bde25bae93 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [chrome](./kibana-plugin-public.corestart.chrome.md)
-
-## CoreStart.chrome property
-
-[ChromeStart](./kibana-plugin-public.chromestart.md)
-
-<b>Signature:</b>
-
-```typescript
-chrome: ChromeStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [chrome](./kibana-plugin-public.corestart.chrome.md)
+
+## CoreStart.chrome property
+
+[ChromeStart](./kibana-plugin-public.chromestart.md)
+
+<b>Signature:</b>
+
+```typescript
+chrome: ChromeStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md b/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
index 641b9520be1a4..7f9e4ea10baac 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [docLinks](./kibana-plugin-public.corestart.doclinks.md)
-
-## CoreStart.docLinks property
-
-[DocLinksStart](./kibana-plugin-public.doclinksstart.md)
-
-<b>Signature:</b>
-
-```typescript
-docLinks: DocLinksStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [docLinks](./kibana-plugin-public.corestart.doclinks.md)
+
+## CoreStart.docLinks property
+
+[DocLinksStart](./kibana-plugin-public.doclinksstart.md)
+
+<b>Signature:</b>
+
+```typescript
+docLinks: DocLinksStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md b/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
index 890fcac5a768b..540b17b5a6f0b 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md)
-
-## CoreStart.fatalErrors property
-
-[FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-fatalErrors: FatalErrorsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md)
+
+## CoreStart.fatalErrors property
+
+[FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+fatalErrors: FatalErrorsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.http.md b/docs/development/core/public/kibana-plugin-public.corestart.http.md
index 12fca53774532..6af183480c663 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.http.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [http](./kibana-plugin-public.corestart.http.md)
-
-## CoreStart.http property
-
-[HttpStart](./kibana-plugin-public.httpstart.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [http](./kibana-plugin-public.corestart.http.md)
+
+## CoreStart.http property
+
+[HttpStart](./kibana-plugin-public.httpstart.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.i18n.md b/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
index 75baf18a482e1..6a62025874aa9 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [i18n](./kibana-plugin-public.corestart.i18n.md)
-
-## CoreStart.i18n property
-
-[I18nStart](./kibana-plugin-public.i18nstart.md)
-
-<b>Signature:</b>
-
-```typescript
-i18n: I18nStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [i18n](./kibana-plugin-public.corestart.i18n.md)
+
+## CoreStart.i18n property
+
+[I18nStart](./kibana-plugin-public.i18nstart.md)
+
+<b>Signature:</b>
+
+```typescript
+i18n: I18nStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
index b3f6361d3a8c3..9224b97bc4300 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md)
-
-## CoreStart.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: {
-        getInjectedVar: (name: string, defaultValue?: any) => unknown;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md)
+
+## CoreStart.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: {
+        getInjectedVar: (name: string, defaultValue?: any) => unknown;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.md b/docs/development/core/public/kibana-plugin-public.corestart.md
index c0a326b3b01cb..83af82d590c36 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md)
-
-## CoreStart interface
-
-Core services exposed to the `Plugin` start lifecycle
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [application](./kibana-plugin-public.corestart.application.md) | <code>ApplicationStart</code> | [ApplicationStart](./kibana-plugin-public.applicationstart.md) |
-|  [chrome](./kibana-plugin-public.corestart.chrome.md) | <code>ChromeStart</code> | [ChromeStart](./kibana-plugin-public.chromestart.md) |
-|  [docLinks](./kibana-plugin-public.corestart.doclinks.md) | <code>DocLinksStart</code> | [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |
-|  [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md) | <code>FatalErrorsStart</code> | [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) |
-|  [http](./kibana-plugin-public.corestart.http.md) | <code>HttpStart</code> | [HttpStart](./kibana-plugin-public.httpstart.md) |
-|  [i18n](./kibana-plugin-public.corestart.i18n.md) | <code>I18nStart</code> | [I18nStart](./kibana-plugin-public.i18nstart.md) |
-|  [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
-|  [notifications](./kibana-plugin-public.corestart.notifications.md) | <code>NotificationsStart</code> | [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |
-|  [overlays](./kibana-plugin-public.corestart.overlays.md) | <code>OverlayStart</code> | [OverlayStart](./kibana-plugin-public.overlaystart.md) |
-|  [savedObjects](./kibana-plugin-public.corestart.savedobjects.md) | <code>SavedObjectsStart</code> | [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |
-|  [uiSettings](./kibana-plugin-public.corestart.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md)
+
+## CoreStart interface
+
+Core services exposed to the `Plugin` start lifecycle
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [application](./kibana-plugin-public.corestart.application.md) | <code>ApplicationStart</code> | [ApplicationStart](./kibana-plugin-public.applicationstart.md) |
+|  [chrome](./kibana-plugin-public.corestart.chrome.md) | <code>ChromeStart</code> | [ChromeStart](./kibana-plugin-public.chromestart.md) |
+|  [docLinks](./kibana-plugin-public.corestart.doclinks.md) | <code>DocLinksStart</code> | [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |
+|  [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md) | <code>FatalErrorsStart</code> | [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) |
+|  [http](./kibana-plugin-public.corestart.http.md) | <code>HttpStart</code> | [HttpStart](./kibana-plugin-public.httpstart.md) |
+|  [i18n](./kibana-plugin-public.corestart.i18n.md) | <code>I18nStart</code> | [I18nStart](./kibana-plugin-public.i18nstart.md) |
+|  [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
+|  [notifications](./kibana-plugin-public.corestart.notifications.md) | <code>NotificationsStart</code> | [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |
+|  [overlays](./kibana-plugin-public.corestart.overlays.md) | <code>OverlayStart</code> | [OverlayStart](./kibana-plugin-public.overlaystart.md) |
+|  [savedObjects](./kibana-plugin-public.corestart.savedobjects.md) | <code>SavedObjectsStart</code> | [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |
+|  [uiSettings](./kibana-plugin-public.corestart.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.notifications.md b/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
index b9c75a1989096..c9533a1ec2f10 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [notifications](./kibana-plugin-public.corestart.notifications.md)
-
-## CoreStart.notifications property
-
-[NotificationsStart](./kibana-plugin-public.notificationsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-notifications: NotificationsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [notifications](./kibana-plugin-public.corestart.notifications.md)
+
+## CoreStart.notifications property
+
+[NotificationsStart](./kibana-plugin-public.notificationsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+notifications: NotificationsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.overlays.md b/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
index 9f2bf269884a1..53d20b994f43d 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [overlays](./kibana-plugin-public.corestart.overlays.md)
-
-## CoreStart.overlays property
-
-[OverlayStart](./kibana-plugin-public.overlaystart.md)
-
-<b>Signature:</b>
-
-```typescript
-overlays: OverlayStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [overlays](./kibana-plugin-public.corestart.overlays.md)
+
+## CoreStart.overlays property
+
+[OverlayStart](./kibana-plugin-public.overlaystart.md)
+
+<b>Signature:</b>
+
+```typescript
+overlays: OverlayStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md b/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
index 80ba416ec5e0c..5e6e0e33c7f80 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [savedObjects](./kibana-plugin-public.corestart.savedobjects.md)
-
-## CoreStart.savedObjects property
-
-[SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [savedObjects](./kibana-plugin-public.corestart.savedobjects.md)
+
+## CoreStart.savedObjects property
+
+[SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md b/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
index 2831e4da13578..2ee405591dc08 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [uiSettings](./kibana-plugin-public.corestart.uisettings.md)
-
-## CoreStart.uiSettings property
-
-[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: IUiSettingsClient;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [uiSettings](./kibana-plugin-public.corestart.uisettings.md)
+
+## CoreStart.uiSettings property
+
+[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: IUiSettingsClient;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
index 453d358710f2d..5e7f9f9e48687 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md)
-
-## DocLinksStart.DOC\_LINK\_VERSION property
-
-<b>Signature:</b>
-
-```typescript
-readonly DOC_LINK_VERSION: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md)
+
+## DocLinksStart.DOC\_LINK\_VERSION property
+
+<b>Signature:</b>
+
+```typescript
+readonly DOC_LINK_VERSION: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
index 9ef871e776996..b4967038b35d7 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md)
-
-## DocLinksStart.ELASTIC\_WEBSITE\_URL property
-
-<b>Signature:</b>
-
-```typescript
-readonly ELASTIC_WEBSITE_URL: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md)
+
+## DocLinksStart.ELASTIC\_WEBSITE\_URL property
+
+<b>Signature:</b>
+
+```typescript
+readonly ELASTIC_WEBSITE_URL: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
index bb59d2eabefa2..2a21f00c57461 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
@@ -1,96 +1,96 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [links](./kibana-plugin-public.doclinksstart.links.md)
-
-## DocLinksStart.links property
-
-<b>Signature:</b>
-
-```typescript
-readonly links: {
-        readonly filebeat: {
-            readonly base: string;
-            readonly installation: string;
-            readonly configuration: string;
-            readonly elasticsearchOutput: string;
-            readonly startup: string;
-            readonly exportedFields: string;
-        };
-        readonly auditbeat: {
-            readonly base: string;
-        };
-        readonly metricbeat: {
-            readonly base: string;
-        };
-        readonly heartbeat: {
-            readonly base: string;
-        };
-        readonly logstash: {
-            readonly base: string;
-        };
-        readonly functionbeat: {
-            readonly base: string;
-        };
-        readonly winlogbeat: {
-            readonly base: string;
-        };
-        readonly aggs: {
-            readonly date_histogram: string;
-            readonly date_range: string;
-            readonly filter: string;
-            readonly filters: string;
-            readonly geohash_grid: string;
-            readonly histogram: string;
-            readonly ip_range: string;
-            readonly range: string;
-            readonly significant_terms: string;
-            readonly terms: string;
-            readonly avg: string;
-            readonly avg_bucket: string;
-            readonly max_bucket: string;
-            readonly min_bucket: string;
-            readonly sum_bucket: string;
-            readonly cardinality: string;
-            readonly count: string;
-            readonly cumulative_sum: string;
-            readonly derivative: string;
-            readonly geo_bounds: string;
-            readonly geo_centroid: string;
-            readonly max: string;
-            readonly median: string;
-            readonly min: string;
-            readonly moving_avg: string;
-            readonly percentile_ranks: string;
-            readonly serial_diff: string;
-            readonly std_dev: string;
-            readonly sum: string;
-            readonly top_hits: string;
-        };
-        readonly scriptedFields: {
-            readonly scriptFields: string;
-            readonly scriptAggs: string;
-            readonly painless: string;
-            readonly painlessApi: string;
-            readonly painlessSyntax: string;
-            readonly luceneExpressions: string;
-        };
-        readonly indexPatterns: {
-            readonly loadingData: string;
-            readonly introduction: string;
-        };
-        readonly kibana: string;
-        readonly siem: {
-            readonly guide: string;
-            readonly gettingStarted: string;
-        };
-        readonly query: {
-            readonly luceneQuerySyntax: string;
-            readonly queryDsl: string;
-            readonly kueryQuerySyntax: string;
-        };
-        readonly date: {
-            readonly dateMath: string;
-        };
-        readonly management: Record<string, string>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [links](./kibana-plugin-public.doclinksstart.links.md)
+
+## DocLinksStart.links property
+
+<b>Signature:</b>
+
+```typescript
+readonly links: {
+        readonly filebeat: {
+            readonly base: string;
+            readonly installation: string;
+            readonly configuration: string;
+            readonly elasticsearchOutput: string;
+            readonly startup: string;
+            readonly exportedFields: string;
+        };
+        readonly auditbeat: {
+            readonly base: string;
+        };
+        readonly metricbeat: {
+            readonly base: string;
+        };
+        readonly heartbeat: {
+            readonly base: string;
+        };
+        readonly logstash: {
+            readonly base: string;
+        };
+        readonly functionbeat: {
+            readonly base: string;
+        };
+        readonly winlogbeat: {
+            readonly base: string;
+        };
+        readonly aggs: {
+            readonly date_histogram: string;
+            readonly date_range: string;
+            readonly filter: string;
+            readonly filters: string;
+            readonly geohash_grid: string;
+            readonly histogram: string;
+            readonly ip_range: string;
+            readonly range: string;
+            readonly significant_terms: string;
+            readonly terms: string;
+            readonly avg: string;
+            readonly avg_bucket: string;
+            readonly max_bucket: string;
+            readonly min_bucket: string;
+            readonly sum_bucket: string;
+            readonly cardinality: string;
+            readonly count: string;
+            readonly cumulative_sum: string;
+            readonly derivative: string;
+            readonly geo_bounds: string;
+            readonly geo_centroid: string;
+            readonly max: string;
+            readonly median: string;
+            readonly min: string;
+            readonly moving_avg: string;
+            readonly percentile_ranks: string;
+            readonly serial_diff: string;
+            readonly std_dev: string;
+            readonly sum: string;
+            readonly top_hits: string;
+        };
+        readonly scriptedFields: {
+            readonly scriptFields: string;
+            readonly scriptAggs: string;
+            readonly painless: string;
+            readonly painlessApi: string;
+            readonly painlessSyntax: string;
+            readonly luceneExpressions: string;
+        };
+        readonly indexPatterns: {
+            readonly loadingData: string;
+            readonly introduction: string;
+        };
+        readonly kibana: string;
+        readonly siem: {
+            readonly guide: string;
+            readonly gettingStarted: string;
+        };
+        readonly query: {
+            readonly luceneQuerySyntax: string;
+            readonly queryDsl: string;
+            readonly kueryQuerySyntax: string;
+        };
+        readonly date: {
+            readonly dateMath: string;
+        };
+        readonly management: Record<string, string>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.md
index c9d9c0f06ecb3..13c701a8b47db 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md)
-
-## DocLinksStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DocLinksStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md) | <code>string</code> |  |
-|  [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md) | <code>string</code> |  |
-|  [links](./kibana-plugin-public.doclinksstart.links.md) | <code>{</code><br/><code>        readonly filebeat: {</code><br/><code>            readonly base: string;</code><br/><code>            readonly installation: string;</code><br/><code>            readonly configuration: string;</code><br/><code>            readonly elasticsearchOutput: string;</code><br/><code>            readonly startup: string;</code><br/><code>            readonly exportedFields: string;</code><br/><code>        };</code><br/><code>        readonly auditbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly metricbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly heartbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly logstash: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly functionbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly winlogbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly aggs: {</code><br/><code>            readonly date_histogram: string;</code><br/><code>            readonly date_range: string;</code><br/><code>            readonly filter: string;</code><br/><code>            readonly filters: string;</code><br/><code>            readonly geohash_grid: string;</code><br/><code>            readonly histogram: string;</code><br/><code>            readonly ip_range: string;</code><br/><code>            readonly range: string;</code><br/><code>            readonly significant_terms: string;</code><br/><code>            readonly terms: string;</code><br/><code>            readonly avg: string;</code><br/><code>            readonly avg_bucket: string;</code><br/><code>            readonly max_bucket: string;</code><br/><code>            readonly min_bucket: string;</code><br/><code>            readonly sum_bucket: string;</code><br/><code>            readonly cardinality: string;</code><br/><code>            readonly count: string;</code><br/><code>            readonly cumulative_sum: string;</code><br/><code>            readonly derivative: string;</code><br/><code>            readonly geo_bounds: string;</code><br/><code>            readonly geo_centroid: string;</code><br/><code>            readonly max: string;</code><br/><code>            readonly median: string;</code><br/><code>            readonly min: string;</code><br/><code>            readonly moving_avg: string;</code><br/><code>            readonly percentile_ranks: string;</code><br/><code>            readonly serial_diff: string;</code><br/><code>            readonly std_dev: string;</code><br/><code>            readonly sum: string;</code><br/><code>            readonly top_hits: string;</code><br/><code>        };</code><br/><code>        readonly scriptedFields: {</code><br/><code>            readonly scriptFields: string;</code><br/><code>            readonly scriptAggs: string;</code><br/><code>            readonly painless: string;</code><br/><code>            readonly painlessApi: string;</code><br/><code>            readonly painlessSyntax: string;</code><br/><code>            readonly luceneExpressions: string;</code><br/><code>        };</code><br/><code>        readonly indexPatterns: {</code><br/><code>            readonly loadingData: string;</code><br/><code>            readonly introduction: string;</code><br/><code>        };</code><br/><code>        readonly kibana: string;</code><br/><code>        readonly siem: {</code><br/><code>            readonly guide: string;</code><br/><code>            readonly gettingStarted: string;</code><br/><code>        };</code><br/><code>        readonly query: {</code><br/><code>            readonly luceneQuerySyntax: string;</code><br/><code>            readonly queryDsl: string;</code><br/><code>            readonly kueryQuerySyntax: string;</code><br/><code>        };</code><br/><code>        readonly date: {</code><br/><code>            readonly dateMath: string;</code><br/><code>        };</code><br/><code>        readonly management: Record&lt;string, string&gt;;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md)
+
+## DocLinksStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DocLinksStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md) | <code>string</code> |  |
+|  [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md) | <code>string</code> |  |
+|  [links](./kibana-plugin-public.doclinksstart.links.md) | <code>{</code><br/><code>        readonly filebeat: {</code><br/><code>            readonly base: string;</code><br/><code>            readonly installation: string;</code><br/><code>            readonly configuration: string;</code><br/><code>            readonly elasticsearchOutput: string;</code><br/><code>            readonly startup: string;</code><br/><code>            readonly exportedFields: string;</code><br/><code>        };</code><br/><code>        readonly auditbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly metricbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly heartbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly logstash: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly functionbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly winlogbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly aggs: {</code><br/><code>            readonly date_histogram: string;</code><br/><code>            readonly date_range: string;</code><br/><code>            readonly filter: string;</code><br/><code>            readonly filters: string;</code><br/><code>            readonly geohash_grid: string;</code><br/><code>            readonly histogram: string;</code><br/><code>            readonly ip_range: string;</code><br/><code>            readonly range: string;</code><br/><code>            readonly significant_terms: string;</code><br/><code>            readonly terms: string;</code><br/><code>            readonly avg: string;</code><br/><code>            readonly avg_bucket: string;</code><br/><code>            readonly max_bucket: string;</code><br/><code>            readonly min_bucket: string;</code><br/><code>            readonly sum_bucket: string;</code><br/><code>            readonly cardinality: string;</code><br/><code>            readonly count: string;</code><br/><code>            readonly cumulative_sum: string;</code><br/><code>            readonly derivative: string;</code><br/><code>            readonly geo_bounds: string;</code><br/><code>            readonly geo_centroid: string;</code><br/><code>            readonly max: string;</code><br/><code>            readonly median: string;</code><br/><code>            readonly min: string;</code><br/><code>            readonly moving_avg: string;</code><br/><code>            readonly percentile_ranks: string;</code><br/><code>            readonly serial_diff: string;</code><br/><code>            readonly std_dev: string;</code><br/><code>            readonly sum: string;</code><br/><code>            readonly top_hits: string;</code><br/><code>        };</code><br/><code>        readonly scriptedFields: {</code><br/><code>            readonly scriptFields: string;</code><br/><code>            readonly scriptAggs: string;</code><br/><code>            readonly painless: string;</code><br/><code>            readonly painlessApi: string;</code><br/><code>            readonly painlessSyntax: string;</code><br/><code>            readonly luceneExpressions: string;</code><br/><code>        };</code><br/><code>        readonly indexPatterns: {</code><br/><code>            readonly loadingData: string;</code><br/><code>            readonly introduction: string;</code><br/><code>        };</code><br/><code>        readonly kibana: string;</code><br/><code>        readonly siem: {</code><br/><code>            readonly guide: string;</code><br/><code>            readonly gettingStarted: string;</code><br/><code>        };</code><br/><code>        readonly query: {</code><br/><code>            readonly luceneQuerySyntax: string;</code><br/><code>            readonly queryDsl: string;</code><br/><code>            readonly kueryQuerySyntax: string;</code><br/><code>        };</code><br/><code>        readonly date: {</code><br/><code>            readonly dateMath: string;</code><br/><code>        };</code><br/><code>        readonly management: Record&lt;string, string&gt;;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md b/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
index 1e070ba8d9884..b82e851da2b66 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [dev](./kibana-plugin-public.environmentmode.dev.md)
-
-## EnvironmentMode.dev property
-
-<b>Signature:</b>
-
-```typescript
-dev: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [dev](./kibana-plugin-public.environmentmode.dev.md)
+
+## EnvironmentMode.dev property
+
+<b>Signature:</b>
+
+```typescript
+dev: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.md b/docs/development/core/public/kibana-plugin-public.environmentmode.md
index e869729319b0c..14ab1316f5269 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md)
-
-## EnvironmentMode interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface EnvironmentMode 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [dev](./kibana-plugin-public.environmentmode.dev.md) | <code>boolean</code> |  |
-|  [name](./kibana-plugin-public.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
-|  [prod](./kibana-plugin-public.environmentmode.prod.md) | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md)
+
+## EnvironmentMode interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface EnvironmentMode 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [dev](./kibana-plugin-public.environmentmode.dev.md) | <code>boolean</code> |  |
+|  [name](./kibana-plugin-public.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
+|  [prod](./kibana-plugin-public.environmentmode.prod.md) | <code>boolean</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.name.md b/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
index 105853c35d0dd..5983fea856750 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [name](./kibana-plugin-public.environmentmode.name.md)
-
-## EnvironmentMode.name property
-
-<b>Signature:</b>
-
-```typescript
-name: 'development' | 'production';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [name](./kibana-plugin-public.environmentmode.name.md)
+
+## EnvironmentMode.name property
+
+<b>Signature:</b>
+
+```typescript
+name: 'development' | 'production';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md b/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
index ebbbf7f0c2531..4b46e8b9cc9f9 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [prod](./kibana-plugin-public.environmentmode.prod.md)
-
-## EnvironmentMode.prod property
-
-<b>Signature:</b>
-
-```typescript
-prod: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [prod](./kibana-plugin-public.environmentmode.prod.md)
+
+## EnvironmentMode.prod property
+
+<b>Signature:</b>
+
+```typescript
+prod: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
index 2018bcb643906..1755e6cbde919 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md)
-
-## ErrorToastOptions interface
-
-Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
-
-<b>Signature:</b>
-
-```typescript
-export interface ErrorToastOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [title](./kibana-plugin-public.errortoastoptions.title.md) | <code>string</code> | The title of the toast and the dialog when expanding the message. |
-|  [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md) | <code>string</code> | The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md)
+
+## ErrorToastOptions interface
+
+Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
+
+<b>Signature:</b>
+
+```typescript
+export interface ErrorToastOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [title](./kibana-plugin-public.errortoastoptions.title.md) | <code>string</code> | The title of the toast and the dialog when expanding the message. |
+|  [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md) | <code>string</code> | The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
index 3e21fc1e7f599..8c636998bcbd7 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [title](./kibana-plugin-public.errortoastoptions.title.md)
-
-## ErrorToastOptions.title property
-
-The title of the toast and the dialog when expanding the message.
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [title](./kibana-plugin-public.errortoastoptions.title.md)
+
+## ErrorToastOptions.title property
+
+The title of the toast and the dialog when expanding the message.
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
index 633bff7dae7f9..8094ed3a5bdc7 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md)
-
-## ErrorToastOptions.toastMessage property
-
-The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal.
-
-<b>Signature:</b>
-
-```typescript
-toastMessage?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md)
+
+## ErrorToastOptions.toastMessage property
+
+The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal.
+
+<b>Signature:</b>
+
+```typescript
+toastMessage?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
index 9ee6ed00d897e..a1e2a95ec9bb1 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md)
-
-## FatalErrorInfo interface
-
-Represents the `message` and `stack` of a fatal Error
-
-<b>Signature:</b>
-
-```typescript
-export interface FatalErrorInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.fatalerrorinfo.message.md) | <code>string</code> |  |
-|  [stack](./kibana-plugin-public.fatalerrorinfo.stack.md) | <code>string &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md)
+
+## FatalErrorInfo interface
+
+Represents the `message` and `stack` of a fatal Error
+
+<b>Signature:</b>
+
+```typescript
+export interface FatalErrorInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.fatalerrorinfo.message.md) | <code>string</code> |  |
+|  [stack](./kibana-plugin-public.fatalerrorinfo.stack.md) | <code>string &#124; undefined</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
index 29c338580ceb4..8eebba48f0777 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [message](./kibana-plugin-public.fatalerrorinfo.message.md)
-
-## FatalErrorInfo.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [message](./kibana-plugin-public.fatalerrorinfo.message.md)
+
+## FatalErrorInfo.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
index 5d24ec6d82c59..5578e4f8c8acd 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [stack](./kibana-plugin-public.fatalerrorinfo.stack.md)
-
-## FatalErrorInfo.stack property
-
-<b>Signature:</b>
-
-```typescript
-stack: string | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [stack](./kibana-plugin-public.fatalerrorinfo.stack.md)
+
+## FatalErrorInfo.stack property
+
+<b>Signature:</b>
+
+```typescript
+stack: string | undefined;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
index 778b945de848a..31a1c239388ee 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [add](./kibana-plugin-public.fatalerrorssetup.add.md)
-
-## FatalErrorsSetup.add property
-
-Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-add: (error: string | Error, source?: string) => never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [add](./kibana-plugin-public.fatalerrorssetup.add.md)
+
+## FatalErrorsSetup.add property
+
+Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+add: (error: string | Error, source?: string) => never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
index c99c78ef948df..a3498e58c33b6 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [get$](./kibana-plugin-public.fatalerrorssetup.get_.md)
-
-## FatalErrorsSetup.get$ property
-
-An Observable that will emit whenever a fatal error is added with `add()`
-
-<b>Signature:</b>
-
-```typescript
-get$: () => Rx.Observable<FatalErrorInfo>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [get$](./kibana-plugin-public.fatalerrorssetup.get_.md)
+
+## FatalErrorsSetup.get$ property
+
+An Observable that will emit whenever a fatal error is added with `add()`
+
+<b>Signature:</b>
+
+```typescript
+get$: () => Rx.Observable<FatalErrorInfo>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
index 728723c3f9764..87d637bb52183 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
-
-## FatalErrorsSetup interface
-
-FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-export interface FatalErrorsSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [add](./kibana-plugin-public.fatalerrorssetup.add.md) | <code>(error: string &#124; Error, source?: string) =&gt; never</code> | Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error. |
-|  [get$](./kibana-plugin-public.fatalerrorssetup.get_.md) | <code>() =&gt; Rx.Observable&lt;FatalErrorInfo&gt;</code> | An Observable that will emit whenever a fatal error is added with <code>add()</code> |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
+
+## FatalErrorsSetup interface
+
+FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+export interface FatalErrorsSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [add](./kibana-plugin-public.fatalerrorssetup.add.md) | <code>(error: string &#124; Error, source?: string) =&gt; never</code> | Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error. |
+|  [get$](./kibana-plugin-public.fatalerrorssetup.get_.md) | <code>() =&gt; Rx.Observable&lt;FatalErrorInfo&gt;</code> | An Observable that will emit whenever a fatal error is added with <code>add()</code> |
+
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md b/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
index 93579079fe9b2..a8ece7dcb7e02 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
-
-## FatalErrorsStart type
-
-FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-export declare type FatalErrorsStart = FatalErrorsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
+
+## FatalErrorsStart type
+
+FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+export declare type FatalErrorsStart = FatalErrorsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlercontexttype.md b/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
index 561b5fb483ff0..b083449d2b703 100644
--- a/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
+++ b/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)
-
-## HandlerContextType type
-
-Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)
+
+## HandlerContextType type
+
+Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlerfunction.md b/docs/development/core/public/kibana-plugin-public.handlerfunction.md
index 973dbc6837325..98c342c17691d 100644
--- a/docs/development/core/public/kibana-plugin-public.handlerfunction.md
+++ b/docs/development/core/public/kibana-plugin-public.handlerfunction.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerFunction](./kibana-plugin-public.handlerfunction.md)
-
-## HandlerFunction type
-
-A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerFunction](./kibana-plugin-public.handlerfunction.md)
+
+## HandlerFunction type
+
+A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlerparameters.md b/docs/development/core/public/kibana-plugin-public.handlerparameters.md
index 8a9e51b66e71e..f46c4b649e943 100644
--- a/docs/development/core/public/kibana-plugin-public.handlerparameters.md
+++ b/docs/development/core/public/kibana-plugin-public.handlerparameters.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerParameters](./kibana-plugin-public.handlerparameters.md)
-
-## HandlerParameters type
-
-Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerParameters](./kibana-plugin-public.handlerparameters.md)
+
+## HandlerParameters type
+
+Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
index f1661cdb64b4a..207ddf205c88a 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md)
-
-## HttpFetchOptions.asResponse property
-
-When `true` the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When `false`<!-- -->, the return type will just be the parsed response body. Defaults to `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asResponse?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md)
+
+## HttpFetchOptions.asResponse property
+
+When `true` the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When `false`<!-- -->, the return type will just be the parsed response body. Defaults to `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asResponse?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
index 609e4dd410601..7243d318df6fc 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md)
-
-## HttpFetchOptions.asSystemRequest property
-
-Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asSystemRequest?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md)
+
+## HttpFetchOptions.asSystemRequest property
+
+Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asSystemRequest?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
index 4943f594e14cc..232b7d3da3af4 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [headers](./kibana-plugin-public.httpfetchoptions.headers.md)
-
-## HttpFetchOptions.headers property
-
-Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-headers?: HttpHeadersInit;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [headers](./kibana-plugin-public.httpfetchoptions.headers.md)
+
+## HttpFetchOptions.headers property
+
+Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+headers?: HttpHeadersInit;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
index b7620f9e042db..403a1ea7ee4e8 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md)
-
-## HttpFetchOptions interface
-
-All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchOptions extends HttpRequestInit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md) | <code>boolean</code> | When <code>true</code> the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When <code>false</code>, the return type will just be the parsed response body. Defaults to <code>false</code>. |
-|  [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md) | <code>boolean</code> | Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to <code>false</code>. |
-|  [headers](./kibana-plugin-public.httpfetchoptions.headers.md) | <code>HttpHeadersInit</code> | Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->. |
-|  [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md) | <code>boolean</code> | Whether or not the request should automatically prepend the basePath. Defaults to <code>true</code>. |
-|  [query](./kibana-plugin-public.httpfetchoptions.query.md) | <code>HttpFetchQuery</code> | The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md)
+
+## HttpFetchOptions interface
+
+All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchOptions extends HttpRequestInit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md) | <code>boolean</code> | When <code>true</code> the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When <code>false</code>, the return type will just be the parsed response body. Defaults to <code>false</code>. |
+|  [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md) | <code>boolean</code> | Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to <code>false</code>. |
+|  [headers](./kibana-plugin-public.httpfetchoptions.headers.md) | <code>HttpHeadersInit</code> | Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->. |
+|  [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md) | <code>boolean</code> | Whether or not the request should automatically prepend the basePath. Defaults to <code>true</code>. |
+|  [query](./kibana-plugin-public.httpfetchoptions.query.md) | <code>HttpFetchQuery</code> | The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
index bebf99e25bbfc..0a6a8e195e565 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md)
-
-## HttpFetchOptions.prependBasePath property
-
-Whether or not the request should automatically prepend the basePath. Defaults to `true`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-prependBasePath?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md)
+
+## HttpFetchOptions.prependBasePath property
+
+Whether or not the request should automatically prepend the basePath. Defaults to `true`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+prependBasePath?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
index bae4edd22dd46..0f8d6ba83e772 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [query](./kibana-plugin-public.httpfetchoptions.query.md)
-
-## HttpFetchOptions.query property
-
-The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-query?: HttpFetchQuery;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [query](./kibana-plugin-public.httpfetchoptions.query.md)
+
+## HttpFetchOptions.query property
+
+The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+query?: HttpFetchQuery;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
index 5c27122e07ba7..adccca83f5bb4 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md)
-
-## HttpFetchOptionsWithPath interface
-
-Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchOptionsWithPath extends HttpFetchOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md)
+
+## HttpFetchOptionsWithPath interface
+
+Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchOptionsWithPath extends HttpFetchOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
index be84a6315564e..9341fd2f7693a 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) &gt; [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md)
-
-## HttpFetchOptionsWithPath.path property
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) &gt; [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md)
+
+## HttpFetchOptionsWithPath.path property
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchquery.md b/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
index d270ceab91532..e09b22b074453 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)
-
-## HttpFetchQuery interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchQuery 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)
+
+## HttpFetchQuery interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchQuery 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httphandler.md b/docs/development/core/public/kibana-plugin-public.httphandler.md
index 09d98fe97557f..42a6942eedef0 100644
--- a/docs/development/core/public/kibana-plugin-public.httphandler.md
+++ b/docs/development/core/public/kibana-plugin-public.httphandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHandler](./kibana-plugin-public.httphandler.md)
-
-## HttpHandler interface
-
-A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpHandler 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHandler](./kibana-plugin-public.httphandler.md)
+
+## HttpHandler interface
+
+A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpHandler 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpheadersinit.md b/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
index a0d5fec388f87..28177909972db 100644
--- a/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
+++ b/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
-
-## HttpHeadersInit interface
-
-Headers to append to the request. Any headers that begin with `kbn-` are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpHeadersInit 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
+
+## HttpHeadersInit interface
+
+Headers to append to the request. Any headers that begin with `kbn-` are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpHeadersInit 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
index 1cf782b1ba749..a00a7ab0854fb 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)
-
-## HttpInterceptor interface
-
-An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptor 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [request(fetchOptions, controller)](./kibana-plugin-public.httpinterceptor.request.md) | Define an interceptor to be executed before a request is sent. |
-|  [requestError(httpErrorRequest, controller)](./kibana-plugin-public.httpinterceptor.requesterror.md) | Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise. |
-|  [response(httpResponse, controller)](./kibana-plugin-public.httpinterceptor.response.md) | Define an interceptor to be executed after a response is received. |
-|  [responseError(httpErrorResponse, controller)](./kibana-plugin-public.httpinterceptor.responseerror.md) | Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)
+
+## HttpInterceptor interface
+
+An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptor 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [request(fetchOptions, controller)](./kibana-plugin-public.httpinterceptor.request.md) | Define an interceptor to be executed before a request is sent. |
+|  [requestError(httpErrorRequest, controller)](./kibana-plugin-public.httpinterceptor.requesterror.md) | Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise. |
+|  [response(httpResponse, controller)](./kibana-plugin-public.httpinterceptor.response.md) | Define an interceptor to be executed after a response is received. |
+|  [responseError(httpErrorResponse, controller)](./kibana-plugin-public.httpinterceptor.responseerror.md) | Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
index 8a6812f40e4cd..d1d559916b36d 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [request](./kibana-plugin-public.httpinterceptor.request.md)
-
-## HttpInterceptor.request() method
-
-Define an interceptor to be executed before a request is sent.
-
-<b>Signature:</b>
-
-```typescript
-request?(fetchOptions: Readonly<HttpFetchOptionsWithPath>, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  fetchOptions | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [request](./kibana-plugin-public.httpinterceptor.request.md)
+
+## HttpInterceptor.request() method
+
+Define an interceptor to be executed before a request is sent.
+
+<b>Signature:</b>
+
+```typescript
+request?(fetchOptions: Readonly<HttpFetchOptionsWithPath>, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  fetchOptions | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
index 7bb9202aa905e..fc661d88bf1af 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [requestError](./kibana-plugin-public.httpinterceptor.requesterror.md)
-
-## HttpInterceptor.requestError() method
-
-Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise.
-
-<b>Signature:</b>
-
-```typescript
-requestError?(httpErrorRequest: HttpInterceptorRequestError, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpErrorRequest | <code>HttpInterceptorRequestError</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [requestError](./kibana-plugin-public.httpinterceptor.requesterror.md)
+
+## HttpInterceptor.requestError() method
+
+Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise.
+
+<b>Signature:</b>
+
+```typescript
+requestError?(httpErrorRequest: HttpInterceptorRequestError, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpErrorRequest | <code>HttpInterceptorRequestError</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
index 12a5b36090abc..95cf78dd6f8d1 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [response](./kibana-plugin-public.httpinterceptor.response.md)
-
-## HttpInterceptor.response() method
-
-Define an interceptor to be executed after a response is received.
-
-<b>Signature:</b>
-
-```typescript
-response?(httpResponse: HttpResponse, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpResponse | <code>HttpResponse</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<IHttpResponseInterceptorOverrides> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [response](./kibana-plugin-public.httpinterceptor.response.md)
+
+## HttpInterceptor.response() method
+
+Define an interceptor to be executed after a response is received.
+
+<b>Signature:</b>
+
+```typescript
+response?(httpResponse: HttpResponse, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpResponse | <code>HttpResponse</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<IHttpResponseInterceptorOverrides> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
index d3c2b6db128c1..50e943bc93b07 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [responseError](./kibana-plugin-public.httpinterceptor.responseerror.md)
-
-## HttpInterceptor.responseError() method
-
-Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise.
-
-<b>Signature:</b>
-
-```typescript
-responseError?(httpErrorResponse: HttpInterceptorResponseError, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpErrorResponse | <code>HttpInterceptorResponseError</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<IHttpResponseInterceptorOverrides> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [responseError](./kibana-plugin-public.httpinterceptor.responseerror.md)
+
+## HttpInterceptor.responseError() method
+
+Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise.
+
+<b>Signature:</b>
+
+```typescript
+responseError?(httpErrorResponse: HttpInterceptorResponseError, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpErrorResponse | <code>HttpInterceptorResponseError</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<IHttpResponseInterceptorOverrides> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
index 2eeafffb8d556..28fde834d9721 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md)
-
-## HttpInterceptorRequestError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: Error;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md)
+
+## HttpInterceptorRequestError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: Error;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
index 31a7f8ef44d9f..79c086224ff10 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md)
-
-## HttpInterceptorRequestError.fetchOptions property
-
-<b>Signature:</b>
-
-```typescript
-fetchOptions: Readonly<HttpFetchOptionsWithPath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md)
+
+## HttpInterceptorRequestError.fetchOptions property
+
+<b>Signature:</b>
+
+```typescript
+fetchOptions: Readonly<HttpFetchOptionsWithPath>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
index 4174523ed5fa6..4375719e0802b 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md)
-
-## HttpInterceptorRequestError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptorRequestError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md) | <code>Error</code> |  |
-|  [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md)
+
+## HttpInterceptorRequestError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptorRequestError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md) | <code>Error</code> |  |
+|  [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
index c1367ccdd580e..a9bdf41b36868 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md)
-
-## HttpInterceptorResponseError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: Error | IHttpFetchError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md)
+
+## HttpInterceptorResponseError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: Error | IHttpFetchError;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
index d306f9c6096bd..49b4b2545a5f3 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md)
-
-## HttpInterceptorResponseError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptorResponseError extends HttpResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md) | <code>Error &#124; IHttpFetchError</code> |  |
-|  [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md) | <code>Readonly&lt;Request&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md)
+
+## HttpInterceptorResponseError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptorResponseError extends HttpResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md) | <code>Error &#124; IHttpFetchError</code> |  |
+|  [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md) | <code>Readonly&lt;Request&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
index d2f2826c04283..cb6252ceb8e41 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md)
-
-## HttpInterceptorResponseError.request property
-
-<b>Signature:</b>
-
-```typescript
-request: Readonly<Request>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md)
+
+## HttpInterceptorResponseError.request property
+
+<b>Signature:</b>
+
+```typescript
+request: Readonly<Request>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
index ba0075787e5d1..44b33c9917543 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [body](./kibana-plugin-public.httprequestinit.body.md)
-
-## HttpRequestInit.body property
-
-A BodyInit object or null to set request's body.
-
-<b>Signature:</b>
-
-```typescript
-body?: BodyInit | null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [body](./kibana-plugin-public.httprequestinit.body.md)
+
+## HttpRequestInit.body property
+
+A BodyInit object or null to set request's body.
+
+<b>Signature:</b>
+
+```typescript
+body?: BodyInit | null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
index bb9071aa45aec..0f9dff3887ccf 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [cache](./kibana-plugin-public.httprequestinit.cache.md)
-
-## HttpRequestInit.cache property
-
-The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching.
-
-<b>Signature:</b>
-
-```typescript
-cache?: RequestCache;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [cache](./kibana-plugin-public.httprequestinit.cache.md)
+
+## HttpRequestInit.cache property
+
+The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching.
+
+<b>Signature:</b>
+
+```typescript
+cache?: RequestCache;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
index 55355488df792..93c624cd1980c 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [credentials](./kibana-plugin-public.httprequestinit.credentials.md)
-
-## HttpRequestInit.credentials property
-
-The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL.
-
-<b>Signature:</b>
-
-```typescript
-credentials?: RequestCredentials;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [credentials](./kibana-plugin-public.httprequestinit.credentials.md)
+
+## HttpRequestInit.credentials property
+
+The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL.
+
+<b>Signature:</b>
+
+```typescript
+credentials?: RequestCredentials;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
index f2f98eaa4451e..0f885ed0df1a3 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [headers](./kibana-plugin-public.httprequestinit.headers.md)
-
-## HttpRequestInit.headers property
-
-[HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
-
-<b>Signature:</b>
-
-```typescript
-headers?: HttpHeadersInit;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [headers](./kibana-plugin-public.httprequestinit.headers.md)
+
+## HttpRequestInit.headers property
+
+[HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
+
+<b>Signature:</b>
+
+```typescript
+headers?: HttpHeadersInit;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
index 2da1f5827a680..7bb1665fdfcbe 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [integrity](./kibana-plugin-public.httprequestinit.integrity.md)
-
-## HttpRequestInit.integrity property
-
-Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace.
-
-<b>Signature:</b>
-
-```typescript
-integrity?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [integrity](./kibana-plugin-public.httprequestinit.integrity.md)
+
+## HttpRequestInit.integrity property
+
+Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace.
+
+<b>Signature:</b>
+
+```typescript
+integrity?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
index 35a4020485bca..ba256188ce338 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md)
-
-## HttpRequestInit.keepalive property
-
-Whether or not request can outlive the global in which it was created.
-
-<b>Signature:</b>
-
-```typescript
-keepalive?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md)
+
+## HttpRequestInit.keepalive property
+
+Whether or not request can outlive the global in which it was created.
+
+<b>Signature:</b>
+
+```typescript
+keepalive?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.md
index 04b57e48109f6..1271e039b0713 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md)
-
-## HttpRequestInit interface
-
-Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpRequestInit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.httprequestinit.body.md) | <code>BodyInit &#124; null</code> | A BodyInit object or null to set request's body. |
-|  [cache](./kibana-plugin-public.httprequestinit.cache.md) | <code>RequestCache</code> | The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching. |
-|  [credentials](./kibana-plugin-public.httprequestinit.credentials.md) | <code>RequestCredentials</code> | The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL. |
-|  [headers](./kibana-plugin-public.httprequestinit.headers.md) | <code>HttpHeadersInit</code> | [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) |
-|  [integrity](./kibana-plugin-public.httprequestinit.integrity.md) | <code>string</code> | Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace. |
-|  [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md) | <code>boolean</code> | Whether or not request can outlive the global in which it was created. |
-|  [method](./kibana-plugin-public.httprequestinit.method.md) | <code>string</code> | HTTP method, which is "GET" by default. |
-|  [mode](./kibana-plugin-public.httprequestinit.mode.md) | <code>RequestMode</code> | The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs. |
-|  [redirect](./kibana-plugin-public.httprequestinit.redirect.md) | <code>RequestRedirect</code> | The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default. |
-|  [referrer](./kibana-plugin-public.httprequestinit.referrer.md) | <code>string</code> | The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the <code>Referer</code> header of the request being made. |
-|  [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md) | <code>ReferrerPolicy</code> | The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer. |
-|  [signal](./kibana-plugin-public.httprequestinit.signal.md) | <code>AbortSignal &#124; null</code> | Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler. |
-|  [window](./kibana-plugin-public.httprequestinit.window.md) | <code>null</code> | Can only be null. Used to disassociate request from any Window. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md)
+
+## HttpRequestInit interface
+
+Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpRequestInit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.httprequestinit.body.md) | <code>BodyInit &#124; null</code> | A BodyInit object or null to set request's body. |
+|  [cache](./kibana-plugin-public.httprequestinit.cache.md) | <code>RequestCache</code> | The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching. |
+|  [credentials](./kibana-plugin-public.httprequestinit.credentials.md) | <code>RequestCredentials</code> | The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL. |
+|  [headers](./kibana-plugin-public.httprequestinit.headers.md) | <code>HttpHeadersInit</code> | [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) |
+|  [integrity](./kibana-plugin-public.httprequestinit.integrity.md) | <code>string</code> | Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace. |
+|  [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md) | <code>boolean</code> | Whether or not request can outlive the global in which it was created. |
+|  [method](./kibana-plugin-public.httprequestinit.method.md) | <code>string</code> | HTTP method, which is "GET" by default. |
+|  [mode](./kibana-plugin-public.httprequestinit.mode.md) | <code>RequestMode</code> | The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs. |
+|  [redirect](./kibana-plugin-public.httprequestinit.redirect.md) | <code>RequestRedirect</code> | The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default. |
+|  [referrer](./kibana-plugin-public.httprequestinit.referrer.md) | <code>string</code> | The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the <code>Referer</code> header of the request being made. |
+|  [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md) | <code>ReferrerPolicy</code> | The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer. |
+|  [signal](./kibana-plugin-public.httprequestinit.signal.md) | <code>AbortSignal &#124; null</code> | Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler. |
+|  [window](./kibana-plugin-public.httprequestinit.window.md) | <code>null</code> | Can only be null. Used to disassociate request from any Window. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
index 1c14d72e5e5f9..c3465ae75521d 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [method](./kibana-plugin-public.httprequestinit.method.md)
-
-## HttpRequestInit.method property
-
-HTTP method, which is "GET" by default.
-
-<b>Signature:</b>
-
-```typescript
-method?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [method](./kibana-plugin-public.httprequestinit.method.md)
+
+## HttpRequestInit.method property
+
+HTTP method, which is "GET" by default.
+
+<b>Signature:</b>
+
+```typescript
+method?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
index d3358a3a6b068..5ba625318eb27 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [mode](./kibana-plugin-public.httprequestinit.mode.md)
-
-## HttpRequestInit.mode property
-
-The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs.
-
-<b>Signature:</b>
-
-```typescript
-mode?: RequestMode;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [mode](./kibana-plugin-public.httprequestinit.mode.md)
+
+## HttpRequestInit.mode property
+
+The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs.
+
+<b>Signature:</b>
+
+```typescript
+mode?: RequestMode;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
index 6b07fd44416b7..b2554812fadf9 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [redirect](./kibana-plugin-public.httprequestinit.redirect.md)
-
-## HttpRequestInit.redirect property
-
-The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default.
-
-<b>Signature:</b>
-
-```typescript
-redirect?: RequestRedirect;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [redirect](./kibana-plugin-public.httprequestinit.redirect.md)
+
+## HttpRequestInit.redirect property
+
+The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default.
+
+<b>Signature:</b>
+
+```typescript
+redirect?: RequestRedirect;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
index c1a8960de6eac..56c9bcb4afaa9 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrer](./kibana-plugin-public.httprequestinit.referrer.md)
-
-## HttpRequestInit.referrer property
-
-The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the `Referer` header of the request being made.
-
-<b>Signature:</b>
-
-```typescript
-referrer?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrer](./kibana-plugin-public.httprequestinit.referrer.md)
+
+## HttpRequestInit.referrer property
+
+The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the `Referer` header of the request being made.
+
+<b>Signature:</b>
+
+```typescript
+referrer?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
index 05e1e2487f8f2..07231203c0030 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md)
-
-## HttpRequestInit.referrerPolicy property
-
-The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer.
-
-<b>Signature:</b>
-
-```typescript
-referrerPolicy?: ReferrerPolicy;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md)
+
+## HttpRequestInit.referrerPolicy property
+
+The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer.
+
+<b>Signature:</b>
+
+```typescript
+referrerPolicy?: ReferrerPolicy;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
index 38a9f5d48056a..b0e863eaa804f 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [signal](./kibana-plugin-public.httprequestinit.signal.md)
-
-## HttpRequestInit.signal property
-
-Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler.
-
-<b>Signature:</b>
-
-```typescript
-signal?: AbortSignal | null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [signal](./kibana-plugin-public.httprequestinit.signal.md)
+
+## HttpRequestInit.signal property
+
+Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler.
+
+<b>Signature:</b>
+
+```typescript
+signal?: AbortSignal | null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
index 67a3a163a5d27..1a6d740065423 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [window](./kibana-plugin-public.httprequestinit.window.md)
-
-## HttpRequestInit.window property
-
-Can only be null. Used to disassociate request from any Window.
-
-<b>Signature:</b>
-
-```typescript
-window?: null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [window](./kibana-plugin-public.httprequestinit.window.md)
+
+## HttpRequestInit.window property
+
+Can only be null. Used to disassociate request from any Window.
+
+<b>Signature:</b>
+
+```typescript
+window?: null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.body.md b/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
index 773812135602b..3eb167afaa40e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [body](./kibana-plugin-public.httpresponse.body.md)
-
-## HttpResponse.body property
-
-Parsed body received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: TResponseBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [body](./kibana-plugin-public.httpresponse.body.md)
+
+## HttpResponse.body property
+
+Parsed body received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: TResponseBody;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
index 8fd4f8d1e908e..65974efe8494e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md)
-
-## HttpResponse.fetchOptions property
-
-The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request.
-
-<b>Signature:</b>
-
-```typescript
-readonly fetchOptions: Readonly<HttpFetchOptionsWithPath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md)
+
+## HttpResponse.fetchOptions property
+
+The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request.
+
+<b>Signature:</b>
+
+```typescript
+readonly fetchOptions: Readonly<HttpFetchOptionsWithPath>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.md b/docs/development/core/public/kibana-plugin-public.httpresponse.md
index 3e70e5556b982..74097533f6090 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md)
-
-## HttpResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpResponse<TResponseBody = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.httpresponse.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
-|  [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> | The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request. |
-|  [request](./kibana-plugin-public.httpresponse.request.md) | <code>Readonly&lt;Request&gt;</code> | Raw request sent to Kibana server. |
-|  [response](./kibana-plugin-public.httpresponse.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md)
+
+## HttpResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpResponse<TResponseBody = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.httpresponse.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
+|  [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> | The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request. |
+|  [request](./kibana-plugin-public.httpresponse.request.md) | <code>Readonly&lt;Request&gt;</code> | Raw request sent to Kibana server. |
+|  [response](./kibana-plugin-public.httpresponse.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.request.md b/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
index 583a295e26a72..c2a483033247d 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [request](./kibana-plugin-public.httpresponse.request.md)
-
-## HttpResponse.request property
-
-Raw request sent to Kibana server.
-
-<b>Signature:</b>
-
-```typescript
-readonly request: Readonly<Request>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [request](./kibana-plugin-public.httpresponse.request.md)
+
+## HttpResponse.request property
+
+Raw request sent to Kibana server.
+
+<b>Signature:</b>
+
+```typescript
+readonly request: Readonly<Request>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.response.md b/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
index b773b3a4d5b55..3a58a3f35012f 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [response](./kibana-plugin-public.httpresponse.response.md)
-
-## HttpResponse.response property
-
-Raw response received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Readonly<Response>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [response](./kibana-plugin-public.httpresponse.response.md)
+
+## HttpResponse.response property
+
+Raw response received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Readonly<Response>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md b/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
index 88b1e14f6e85b..a2fe66bb55c77 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [addLoadingCountSource](./kibana-plugin-public.httpsetup.addloadingcountsource.md)
-
-## HttpSetup.addLoadingCountSource() method
-
-Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0.
-
-<b>Signature:</b>
-
-```typescript
-addLoadingCountSource(countSource$: Observable<number>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  countSource$ | <code>Observable&lt;number&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [addLoadingCountSource](./kibana-plugin-public.httpsetup.addloadingcountsource.md)
+
+## HttpSetup.addLoadingCountSource() method
+
+Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0.
+
+<b>Signature:</b>
+
+```typescript
+addLoadingCountSource(countSource$: Observable<number>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  countSource$ | <code>Observable&lt;number&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md b/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
index c44357b39443f..a9268ca1d8ed6 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md)
-
-## HttpSetup.anonymousPaths property
-
-APIs for denoting certain paths for not requiring authentication
-
-<b>Signature:</b>
-
-```typescript
-anonymousPaths: IAnonymousPaths;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md)
+
+## HttpSetup.anonymousPaths property
+
+APIs for denoting certain paths for not requiring authentication
+
+<b>Signature:</b>
+
+```typescript
+anonymousPaths: IAnonymousPaths;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md b/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
index fa5ec7d6fef38..6b0726dc8ef2b 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [basePath](./kibana-plugin-public.httpsetup.basepath.md)
-
-## HttpSetup.basePath property
-
-APIs for manipulating the basePath on URL segments.
-
-<b>Signature:</b>
-
-```typescript
-basePath: IBasePath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [basePath](./kibana-plugin-public.httpsetup.basepath.md)
+
+## HttpSetup.basePath property
+
+APIs for manipulating the basePath on URL segments.
+
+<b>Signature:</b>
+
+```typescript
+basePath: IBasePath;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md b/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
index 83ce558826baf..565f0eb336d4f 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [delete](./kibana-plugin-public.httpsetup.delete.md)
-
-## HttpSetup.delete property
-
-Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-delete: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [delete](./kibana-plugin-public.httpsetup.delete.md)
+
+## HttpSetup.delete property
+
+Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+delete: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md b/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
index 4f9b24ca03e61..2d6447363fa9b 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [fetch](./kibana-plugin-public.httpsetup.fetch.md)
-
-## HttpSetup.fetch property
-
-Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-fetch: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [fetch](./kibana-plugin-public.httpsetup.fetch.md)
+
+## HttpSetup.fetch property
+
+Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+fetch: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.get.md b/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
index 920b53d23c95c..0c484e33e9b58 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [get](./kibana-plugin-public.httpsetup.get.md)
-
-## HttpSetup.get property
-
-Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-get: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [get](./kibana-plugin-public.httpsetup.get.md)
+
+## HttpSetup.get property
+
+Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+get: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md b/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
index 7f7a275e990f0..628b62b2ffc27 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [getLoadingCount$](./kibana-plugin-public.httpsetup.getloadingcount_.md)
-
-## HttpSetup.getLoadingCount$() method
-
-Get the sum of all loading count sources as a single Observable.
-
-<b>Signature:</b>
-
-```typescript
-getLoadingCount$(): Observable<number>;
-```
-<b>Returns:</b>
-
-`Observable<number>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [getLoadingCount$](./kibana-plugin-public.httpsetup.getloadingcount_.md)
+
+## HttpSetup.getLoadingCount$() method
+
+Get the sum of all loading count sources as a single Observable.
+
+<b>Signature:</b>
+
+```typescript
+getLoadingCount$(): Observable<number>;
+```
+<b>Returns:</b>
+
+`Observable<number>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.head.md b/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
index 243998a68eb44..e4d49c843e572 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [head](./kibana-plugin-public.httpsetup.head.md)
-
-## HttpSetup.head property
-
-Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-head: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [head](./kibana-plugin-public.httpsetup.head.md)
+
+## HttpSetup.head property
+
+Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+head: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md b/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
index 36cf80aeb52de..1bda0c6166e65 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [intercept](./kibana-plugin-public.httpsetup.intercept.md)
-
-## HttpSetup.intercept() method
-
-Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client.
-
-<b>Signature:</b>
-
-```typescript
-intercept(interceptor: HttpInterceptor): () => void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  interceptor | <code>HttpInterceptor</code> |  |
-
-<b>Returns:</b>
-
-`() => void`
-
-a function for removing the attached interceptor.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [intercept](./kibana-plugin-public.httpsetup.intercept.md)
+
+## HttpSetup.intercept() method
+
+Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client.
+
+<b>Signature:</b>
+
+```typescript
+intercept(interceptor: HttpInterceptor): () => void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  interceptor | <code>HttpInterceptor</code> |  |
+
+<b>Returns:</b>
+
+`() => void`
+
+a function for removing the attached interceptor.
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.md b/docs/development/core/public/kibana-plugin-public.httpsetup.md
index d458f0edcc8a8..8a14d26c57ca3 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-## HttpSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md) | <code>IAnonymousPaths</code> | APIs for denoting certain paths for not requiring authentication |
-|  [basePath](./kibana-plugin-public.httpsetup.basepath.md) | <code>IBasePath</code> | APIs for manipulating the basePath on URL segments. |
-|  [delete](./kibana-plugin-public.httpsetup.delete.md) | <code>HttpHandler</code> | Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [fetch](./kibana-plugin-public.httpsetup.fetch.md) | <code>HttpHandler</code> | Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [get](./kibana-plugin-public.httpsetup.get.md) | <code>HttpHandler</code> | Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [head](./kibana-plugin-public.httpsetup.head.md) | <code>HttpHandler</code> | Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [options](./kibana-plugin-public.httpsetup.options.md) | <code>HttpHandler</code> | Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [patch](./kibana-plugin-public.httpsetup.patch.md) | <code>HttpHandler</code> | Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [post](./kibana-plugin-public.httpsetup.post.md) | <code>HttpHandler</code> | Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [put](./kibana-plugin-public.httpsetup.put.md) | <code>HttpHandler</code> | Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [addLoadingCountSource(countSource$)](./kibana-plugin-public.httpsetup.addloadingcountsource.md) | Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0. |
-|  [getLoadingCount$()](./kibana-plugin-public.httpsetup.getloadingcount_.md) | Get the sum of all loading count sources as a single Observable. |
-|  [intercept(interceptor)](./kibana-plugin-public.httpsetup.intercept.md) | Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+## HttpSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md) | <code>IAnonymousPaths</code> | APIs for denoting certain paths for not requiring authentication |
+|  [basePath](./kibana-plugin-public.httpsetup.basepath.md) | <code>IBasePath</code> | APIs for manipulating the basePath on URL segments. |
+|  [delete](./kibana-plugin-public.httpsetup.delete.md) | <code>HttpHandler</code> | Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [fetch](./kibana-plugin-public.httpsetup.fetch.md) | <code>HttpHandler</code> | Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [get](./kibana-plugin-public.httpsetup.get.md) | <code>HttpHandler</code> | Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [head](./kibana-plugin-public.httpsetup.head.md) | <code>HttpHandler</code> | Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [options](./kibana-plugin-public.httpsetup.options.md) | <code>HttpHandler</code> | Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [patch](./kibana-plugin-public.httpsetup.patch.md) | <code>HttpHandler</code> | Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [post](./kibana-plugin-public.httpsetup.post.md) | <code>HttpHandler</code> | Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [put](./kibana-plugin-public.httpsetup.put.md) | <code>HttpHandler</code> | Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [addLoadingCountSource(countSource$)](./kibana-plugin-public.httpsetup.addloadingcountsource.md) | Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0. |
+|  [getLoadingCount$()](./kibana-plugin-public.httpsetup.getloadingcount_.md) | Get the sum of all loading count sources as a single Observable. |
+|  [intercept(interceptor)](./kibana-plugin-public.httpsetup.intercept.md) | Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.options.md b/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
index 005ca3ab19ddd..4ea5be8826bff 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [options](./kibana-plugin-public.httpsetup.options.md)
-
-## HttpSetup.options property
-
-Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-options: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [options](./kibana-plugin-public.httpsetup.options.md)
+
+## HttpSetup.options property
+
+Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+options: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md b/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
index ee06af0ca6351..ef1d50005b012 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [patch](./kibana-plugin-public.httpsetup.patch.md)
-
-## HttpSetup.patch property
-
-Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-patch: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [patch](./kibana-plugin-public.httpsetup.patch.md)
+
+## HttpSetup.patch property
+
+Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+patch: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.post.md b/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
index 7b9a7af51fe04..1c19c35ac3038 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [post](./kibana-plugin-public.httpsetup.post.md)
-
-## HttpSetup.post property
-
-Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-post: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [post](./kibana-plugin-public.httpsetup.post.md)
+
+## HttpSetup.post property
+
+Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+post: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.put.md b/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
index d9d412ff13d92..e5243d8c80dae 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [put](./kibana-plugin-public.httpsetup.put.md)
-
-## HttpSetup.put property
-
-Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-put: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [put](./kibana-plugin-public.httpsetup.put.md)
+
+## HttpSetup.put property
+
+Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+put: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpstart.md b/docs/development/core/public/kibana-plugin-public.httpstart.md
index 5e3b5d066b0db..9abf319acf00d 100644
--- a/docs/development/core/public/kibana-plugin-public.httpstart.md
+++ b/docs/development/core/public/kibana-plugin-public.httpstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpStart](./kibana-plugin-public.httpstart.md)
-
-## HttpStart type
-
-See [HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HttpStart = HttpSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpStart](./kibana-plugin-public.httpstart.md)
+
+## HttpStart type
+
+See [HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HttpStart = HttpSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.i18nstart.context.md b/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
index 29ac950cc7adb..1dda40711b49b 100644
--- a/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
+++ b/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md) &gt; [Context](./kibana-plugin-public.i18nstart.context.md)
-
-## I18nStart.Context property
-
-React Context provider required as the topmost component for any i18n-compatible React tree.
-
-<b>Signature:</b>
-
-```typescript
-Context: ({ children }: {
-        children: React.ReactNode;
-    }) => JSX.Element;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md) &gt; [Context](./kibana-plugin-public.i18nstart.context.md)
+
+## I18nStart.Context property
+
+React Context provider required as the topmost component for any i18n-compatible React tree.
+
+<b>Signature:</b>
+
+```typescript
+Context: ({ children }: {
+        children: React.ReactNode;
+    }) => JSX.Element;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.i18nstart.md b/docs/development/core/public/kibana-plugin-public.i18nstart.md
index 83dd60abfb490..0df5ee93a6af0 100644
--- a/docs/development/core/public/kibana-plugin-public.i18nstart.md
+++ b/docs/development/core/public/kibana-plugin-public.i18nstart.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md)
-
-## I18nStart interface
-
-I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree.
-
-<b>Signature:</b>
-
-```typescript
-export interface I18nStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [Context](./kibana-plugin-public.i18nstart.context.md) | <code>({ children }: {</code><br/><code>        children: React.ReactNode;</code><br/><code>    }) =&gt; JSX.Element</code> | React Context provider required as the topmost component for any i18n-compatible React tree. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md)
+
+## I18nStart interface
+
+I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree.
+
+<b>Signature:</b>
+
+```typescript
+export interface I18nStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [Context](./kibana-plugin-public.i18nstart.context.md) | <code>({ children }: {</code><br/><code>        children: React.ReactNode;</code><br/><code>    }) =&gt; JSX.Element</code> | React Context provider required as the topmost component for any i18n-compatible React tree. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
index 269c255e880f0..d6be78e1e725b 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [isAnonymous](./kibana-plugin-public.ianonymouspaths.isanonymous.md)
-
-## IAnonymousPaths.isAnonymous() method
-
-Determines whether the provided path doesn't require authentication. `path` should include the current basePath.
-
-<b>Signature:</b>
-
-```typescript
-isAnonymous(path: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  path | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [isAnonymous](./kibana-plugin-public.ianonymouspaths.isanonymous.md)
+
+## IAnonymousPaths.isAnonymous() method
+
+Determines whether the provided path doesn't require authentication. `path` should include the current basePath.
+
+<b>Signature:</b>
+
+```typescript
+isAnonymous(path: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  path | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
index 65563f1f8d903..1290df28780cf 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md)
-
-## IAnonymousPaths interface
-
-APIs for denoting paths as not requiring authentication
-
-<b>Signature:</b>
-
-```typescript
-export interface IAnonymousPaths 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [isAnonymous(path)](./kibana-plugin-public.ianonymouspaths.isanonymous.md) | Determines whether the provided path doesn't require authentication. <code>path</code> should include the current basePath. |
-|  [register(path)](./kibana-plugin-public.ianonymouspaths.register.md) | Register <code>path</code> as not requiring authentication. <code>path</code> should not include the current basePath. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md)
+
+## IAnonymousPaths interface
+
+APIs for denoting paths as not requiring authentication
+
+<b>Signature:</b>
+
+```typescript
+export interface IAnonymousPaths 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [isAnonymous(path)](./kibana-plugin-public.ianonymouspaths.isanonymous.md) | Determines whether the provided path doesn't require authentication. <code>path</code> should include the current basePath. |
+|  [register(path)](./kibana-plugin-public.ianonymouspaths.register.md) | Register <code>path</code> as not requiring authentication. <code>path</code> should not include the current basePath. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
index 49819ae7f2420..3ab9bf438aa16 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [register](./kibana-plugin-public.ianonymouspaths.register.md)
-
-## IAnonymousPaths.register() method
-
-Register `path` as not requiring authentication. `path` should not include the current basePath.
-
-<b>Signature:</b>
-
-```typescript
-register(path: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  path | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [register](./kibana-plugin-public.ianonymouspaths.register.md)
+
+## IAnonymousPaths.register() method
+
+Register `path` as not requiring authentication. `path` should not include the current basePath.
+
+<b>Signature:</b>
+
+```typescript
+register(path: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  path | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.get.md b/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
index 2b3354c00c0f6..08ca3afee11f7 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [get](./kibana-plugin-public.ibasepath.get.md)
-
-## IBasePath.get property
-
-Gets the `basePath` string.
-
-<b>Signature:</b>
-
-```typescript
-get: () => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [get](./kibana-plugin-public.ibasepath.get.md)
+
+## IBasePath.get property
+
+Gets the `basePath` string.
+
+<b>Signature:</b>
+
+```typescript
+get: () => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.md b/docs/development/core/public/kibana-plugin-public.ibasepath.md
index ca4c4b7ad3be7..de392d45c4493 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md)
-
-## IBasePath interface
-
-APIs for manipulating the basePath on URL segments.
-
-<b>Signature:</b>
-
-```typescript
-export interface IBasePath 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-public.ibasepath.get.md) | <code>() =&gt; string</code> | Gets the <code>basePath</code> string. |
-|  [prepend](./kibana-plugin-public.ibasepath.prepend.md) | <code>(url: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
-|  [remove](./kibana-plugin-public.ibasepath.remove.md) | <code>(url: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md)
+
+## IBasePath interface
+
+APIs for manipulating the basePath on URL segments.
+
+<b>Signature:</b>
+
+```typescript
+export interface IBasePath 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-public.ibasepath.get.md) | <code>() =&gt; string</code> | Gets the <code>basePath</code> string. |
+|  [prepend](./kibana-plugin-public.ibasepath.prepend.md) | <code>(url: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
+|  [remove](./kibana-plugin-public.ibasepath.remove.md) | <code>(url: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md b/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
index 98c07f848a5a9..48b909aa2f7a8 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [prepend](./kibana-plugin-public.ibasepath.prepend.md)
-
-## IBasePath.prepend property
-
-Prepends `path` with the basePath.
-
-<b>Signature:</b>
-
-```typescript
-prepend: (url: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [prepend](./kibana-plugin-public.ibasepath.prepend.md)
+
+## IBasePath.prepend property
+
+Prepends `path` with the basePath.
+
+<b>Signature:</b>
+
+```typescript
+prepend: (url: string) => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md b/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
index ce930fa1e1596..6af8564420830 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [remove](./kibana-plugin-public.ibasepath.remove.md)
-
-## IBasePath.remove property
-
-Removes the prepended basePath from the `path`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-remove: (url: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [remove](./kibana-plugin-public.ibasepath.remove.md)
+
+## IBasePath.remove property
+
+Removes the prepended basePath from the `path`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+remove: (url: string) => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
index 58db072fabc15..af3b5e3fc2eb6 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-public.icontextcontainer.createhandler.md)
-
-## IContextContainer.createHandler() method
-
-Create a new handler function pre-wired to context for the plugin.
-
-<b>Signature:</b>
-
-```typescript
-createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
-|  handler | <code>THandler</code> | Handler function to pass context object to. |
-
-<b>Returns:</b>
-
-`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
-
-A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-public.icontextcontainer.createhandler.md)
+
+## IContextContainer.createHandler() method
+
+Create a new handler function pre-wired to context for the plugin.
+
+<b>Signature:</b>
+
+```typescript
+createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
+|  handler | <code>THandler</code> | Handler function to pass context object to. |
+
+<b>Returns:</b>
+
+`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
+
+A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
index 4b01554662aad..7a21df6b93bb5 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
@@ -1,80 +1,80 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
-
-## IContextContainer interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface IContextContainer<THandler extends HandlerFunction<any>> 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-public.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
-|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-public.icontextcontainer.registercontext.md) | Register a new context provider. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
+
+## IContextContainer interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface IContextContainer<THandler extends HandlerFunction<any>> 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-public.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
+|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-public.icontextcontainer.registercontext.md) | Register a new context provider. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
index 15db2467582b6..775f95bd7affa 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-public.icontextcontainer.registercontext.md)
-
-## IContextContainer.registerContext() method
-
-Register a new context provider.
-
-<b>Signature:</b>
-
-```typescript
-registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
-|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
-|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) to be called each time a new context is created. |
-
-<b>Returns:</b>
-
-`this`
-
-The [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for method chaining.
-
-## Remarks
-
-The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
-
-Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-public.icontextcontainer.registercontext.md)
+
+## IContextContainer.registerContext() method
+
+Register a new context provider.
+
+<b>Signature:</b>
+
+```typescript
+registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
+|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
+|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) to be called each time a new context is created. |
+
+<b>Returns:</b>
+
+`this`
+
+The [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for method chaining.
+
+## Remarks
+
+The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
+
+Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextprovider.md b/docs/development/core/public/kibana-plugin-public.icontextprovider.md
index 157b4834d648f..40f0ee3782f6d 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextprovider.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextprovider.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextProvider](./kibana-plugin-public.icontextprovider.md)
-
-## IContextProvider type
-
-A function that returns a context value for a specific key of given context type.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
-```
-
-## Remarks
-
-This function will be called each time a new context is built for a handler invocation.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextProvider](./kibana-plugin-public.icontextprovider.md)
+
+## IContextProvider type
+
+A function that returns a context value for a specific key of given context type.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
+```
+
+## Remarks
+
+This function will be called each time a new context is built for a handler invocation.
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
index 3c9475dc2549f..2a5f3a68635b8 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [body](./kibana-plugin-public.ihttpfetcherror.body.md)
-
-## IHttpFetchError.body property
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [body](./kibana-plugin-public.ihttpfetcherror.body.md)
+
+## IHttpFetchError.body property
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: any;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
index 6109671bb1aa6..0be3b58179209 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md)
-
-## IHttpFetchError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpFetchError extends Error 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.ihttpfetcherror.body.md) | <code>any</code> |  |
-|  [req](./kibana-plugin-public.ihttpfetcherror.req.md) | <code>Request</code> |  |
-|  [request](./kibana-plugin-public.ihttpfetcherror.request.md) | <code>Request</code> |  |
-|  [res](./kibana-plugin-public.ihttpfetcherror.res.md) | <code>Response</code> |  |
-|  [response](./kibana-plugin-public.ihttpfetcherror.response.md) | <code>Response</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md)
+
+## IHttpFetchError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpFetchError extends Error 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.ihttpfetcherror.body.md) | <code>any</code> |  |
+|  [req](./kibana-plugin-public.ihttpfetcherror.req.md) | <code>Request</code> |  |
+|  [request](./kibana-plugin-public.ihttpfetcherror.request.md) | <code>Request</code> |  |
+|  [res](./kibana-plugin-public.ihttpfetcherror.res.md) | <code>Response</code> |  |
+|  [response](./kibana-plugin-public.ihttpfetcherror.response.md) | <code>Response</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
index b8d84e9bbec4c..1d20aa5ecd416 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [req](./kibana-plugin-public.ihttpfetcherror.req.md)
-
-## IHttpFetchError.req property
-
-> Warning: This API is now obsolete.
-> 
-> Provided for legacy compatibility. Prefer the `request` property instead.
-> 
-
-<b>Signature:</b>
-
-```typescript
-readonly req: Request;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [req](./kibana-plugin-public.ihttpfetcherror.req.md)
+
+## IHttpFetchError.req property
+
+> Warning: This API is now obsolete.
+> 
+> Provided for legacy compatibility. Prefer the `request` property instead.
+> 
+
+<b>Signature:</b>
+
+```typescript
+readonly req: Request;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
index 9917df69c799a..bbb1432f13bfb 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [request](./kibana-plugin-public.ihttpfetcherror.request.md)
-
-## IHttpFetchError.request property
-
-<b>Signature:</b>
-
-```typescript
-readonly request: Request;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [request](./kibana-plugin-public.ihttpfetcherror.request.md)
+
+## IHttpFetchError.request property
+
+<b>Signature:</b>
+
+```typescript
+readonly request: Request;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
index f23fdc3e40848..291b28f6a4250 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [res](./kibana-plugin-public.ihttpfetcherror.res.md)
-
-## IHttpFetchError.res property
-
-> Warning: This API is now obsolete.
-> 
-> Provided for legacy compatibility. Prefer the `response` property instead.
-> 
-
-<b>Signature:</b>
-
-```typescript
-readonly res?: Response;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [res](./kibana-plugin-public.ihttpfetcherror.res.md)
+
+## IHttpFetchError.res property
+
+> Warning: This API is now obsolete.
+> 
+> Provided for legacy compatibility. Prefer the `response` property instead.
+> 
+
+<b>Signature:</b>
+
+```typescript
+readonly res?: Response;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
index 7e4639db1eefe..c5efc1cc3858c 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [response](./kibana-plugin-public.ihttpfetcherror.response.md)
-
-## IHttpFetchError.response property
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Response;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [response](./kibana-plugin-public.ihttpfetcherror.response.md)
+
+## IHttpFetchError.response property
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Response;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
index b501d7c97aded..6bd3e2e397b91 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halt](./kibana-plugin-public.ihttpinterceptcontroller.halt.md)
-
-## IHttpInterceptController.halt() method
-
-Halt the request Promise chain and do not process further interceptors or response handlers.
-
-<b>Signature:</b>
-
-```typescript
-halt(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halt](./kibana-plugin-public.ihttpinterceptcontroller.halt.md)
+
+## IHttpInterceptController.halt() method
+
+Halt the request Promise chain and do not process further interceptors or response handlers.
+
+<b>Signature:</b>
+
+```typescript
+halt(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
index d2b15f8389c58..2e61e8da56e6f 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md)
-
-## IHttpInterceptController.halted property
-
-Whether or not this chain has been halted.
-
-<b>Signature:</b>
-
-```typescript
-halted: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md)
+
+## IHttpInterceptController.halted property
+
+Whether or not this chain has been halted.
+
+<b>Signature:</b>
+
+```typescript
+halted: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
index 657614cd3e6e0..b07d9fceb91f0 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)
-
-## IHttpInterceptController interface
-
-Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpInterceptController 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md) | <code>boolean</code> | Whether or not this chain has been halted. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [halt()](./kibana-plugin-public.ihttpinterceptcontroller.halt.md) | Halt the request Promise chain and do not process further interceptors or response handlers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)
+
+## IHttpInterceptController interface
+
+Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpInterceptController 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md) | <code>boolean</code> | Whether or not this chain has been halted. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [halt()](./kibana-plugin-public.ihttpinterceptcontroller.halt.md) | Halt the request Promise chain and do not process further interceptors or response handlers. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
index 718083fa4cf77..36fcfb390617c 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md)
-
-## IHttpResponseInterceptorOverrides.body property
-
-Parsed body received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: TResponseBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md)
+
+## IHttpResponseInterceptorOverrides.body property
+
+Parsed body received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: TResponseBody;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
index dbb871f354cef..44f067c429e98 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md)
-
-## IHttpResponseInterceptorOverrides interface
-
-Properties that can be returned by HttpInterceptor.request to override the response.
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpResponseInterceptorOverrides<TResponseBody = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
-|  [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md)
+
+## IHttpResponseInterceptorOverrides interface
+
+Properties that can be returned by HttpInterceptor.request to override the response.
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpResponseInterceptorOverrides<TResponseBody = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
+|  [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
index 73ce3ba9a366d..bcba996645ba6 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md)
-
-## IHttpResponseInterceptorOverrides.response property
-
-Raw response received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Readonly<Response>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md)
+
+## IHttpResponseInterceptorOverrides.response property
+
+Raw response received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Readonly<Response>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md b/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
index 18e99c2a34e7e..07c4588ff2c8e 100644
--- a/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
+++ b/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md) &gt; [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md)
-
-## ImageValidation.maxSize property
-
-<b>Signature:</b>
-
-```typescript
-maxSize: {
-        length: number;
-        description: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md) &gt; [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md)
+
+## ImageValidation.maxSize property
+
+<b>Signature:</b>
+
+```typescript
+maxSize: {
+        length: number;
+        description: string;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.imagevalidation.md b/docs/development/core/public/kibana-plugin-public.imagevalidation.md
index 99c23e44d35f1..783f417d0fb4d 100644
--- a/docs/development/core/public/kibana-plugin-public.imagevalidation.md
+++ b/docs/development/core/public/kibana-plugin-public.imagevalidation.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md)
-
-## ImageValidation interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ImageValidation 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md)
+
+## ImageValidation interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ImageValidation 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.itoasts.md b/docs/development/core/public/kibana-plugin-public.itoasts.md
index 999103e23ad5e..2a6d454e2194a 100644
--- a/docs/development/core/public/kibana-plugin-public.itoasts.md
+++ b/docs/development/core/public/kibana-plugin-public.itoasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IToasts](./kibana-plugin-public.itoasts.md)
-
-## IToasts type
-
-Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IToasts = Pick<ToastsApi, 'get$' | 'add' | 'remove' | 'addSuccess' | 'addWarning' | 'addDanger' | 'addError'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IToasts](./kibana-plugin-public.itoasts.md)
+
+## IToasts type
+
+Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IToasts = Pick<ToastsApi, 'get$' | 'add' | 'remove' | 'addSuccess' | 'addWarning' | 'addDanger' | 'addError'>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
index 367129e55135c..8d14a10951a92 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get](./kibana-plugin-public.iuisettingsclient.get.md)
-
-## IUiSettingsClient.get property
-
-Gets the value for a specific uiSetting. If this setting has no user-defined value then the `defaultOverride` parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin.
-
-<b>Signature:</b>
-
-```typescript
-get: <T = any>(key: string, defaultOverride?: T) => T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get](./kibana-plugin-public.iuisettingsclient.get.md)
+
+## IUiSettingsClient.get property
+
+Gets the value for a specific uiSetting. If this setting has no user-defined value then the `defaultOverride` parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin.
+
+<b>Signature:</b>
+
+```typescript
+get: <T = any>(key: string, defaultOverride?: T) => T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
index e68ee4698a642..b7680b769f303 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get$](./kibana-plugin-public.iuisettingsclient.get_.md)
-
-## IUiSettingsClient.get$ property
-
-Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a `defaultOverride` argument behaves the same as it does in \#get()
-
-<b>Signature:</b>
-
-```typescript
-get$: <T = any>(key: string, defaultOverride?: T) => Observable<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get$](./kibana-plugin-public.iuisettingsclient.get_.md)
+
+## IUiSettingsClient.get$ property
+
+Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a `defaultOverride` argument behaves the same as it does in \#get()
+
+<b>Signature:</b>
+
+```typescript
+get$: <T = any>(key: string, defaultOverride?: T) => Observable<T>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
index 61e2edc7f1675..b767a8ff603c8 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-public.iuisettingsclient.getall.md)
-
-## IUiSettingsClient.getAll property
-
-Gets the metadata about all uiSettings, including the type, default value, and user value for each key.
-
-<b>Signature:</b>
-
-```typescript
-getAll: () => Readonly<Record<string, UiSettingsParams & UserProvidedValues>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-public.iuisettingsclient.getall.md)
+
+## IUiSettingsClient.getAll property
+
+Gets the metadata about all uiSettings, including the type, default value, and user value for each key.
+
+<b>Signature:</b>
+
+```typescript
+getAll: () => Readonly<Record<string, UiSettingsParams & UserProvidedValues>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
index c5cf081423870..a4ddb9abcba97 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md)
-
-## IUiSettingsClient.getSaved$ property
-
-Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
-
-<b>Signature:</b>
-
-```typescript
-getSaved$: <T = any>() => Observable<{
-        key: string;
-        newValue: T;
-        oldValue: T;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md)
+
+## IUiSettingsClient.getSaved$ property
+
+Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
+
+<b>Signature:</b>
+
+```typescript
+getSaved$: <T = any>() => Observable<{
+        key: string;
+        newValue: T;
+        oldValue: T;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
index 471dc3dfe0c31..cec5bc096cf02 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md)
-
-## IUiSettingsClient.getUpdate$ property
-
-Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
-
-<b>Signature:</b>
-
-```typescript
-getUpdate$: <T = any>() => Observable<{
-        key: string;
-        newValue: T;
-        oldValue: T;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md)
+
+## IUiSettingsClient.getUpdate$ property
+
+Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
+
+<b>Signature:</b>
+
+```typescript
+getUpdate$: <T = any>() => Observable<{
+        key: string;
+        newValue: T;
+        oldValue: T;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
index 743219d935bbf..2fbcaac03e2bb 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md)
-
-## IUiSettingsClient.getUpdateErrors$ property
-
-Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class.
-
-<b>Signature:</b>
-
-```typescript
-getUpdateErrors$: () => Observable<Error>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md)
+
+## IUiSettingsClient.getUpdateErrors$ property
+
+Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class.
+
+<b>Signature:</b>
+
+```typescript
+getUpdateErrors$: () => Observable<Error>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
index c26b9b42dd00c..30de59c066ee3 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md)
-
-## IUiSettingsClient.isCustom property
-
-Returns true if the setting wasn't registered by any plugin, but was either added directly via `set()`<!-- -->, or is an unknown setting found in the uiSettings saved object
-
-<b>Signature:</b>
-
-```typescript
-isCustom: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md)
+
+## IUiSettingsClient.isCustom property
+
+Returns true if the setting wasn't registered by any plugin, but was either added directly via `set()`<!-- -->, or is an unknown setting found in the uiSettings saved object
+
+<b>Signature:</b>
+
+```typescript
+isCustom: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
index e064d787e0c92..1ffcb61967e8a 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md)
-
-## IUiSettingsClient.isDeclared property
-
-Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the `set()` method.
-
-<b>Signature:</b>
-
-```typescript
-isDeclared: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md)
+
+## IUiSettingsClient.isDeclared property
+
+Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the `set()` method.
+
+<b>Signature:</b>
+
+```typescript
+isDeclared: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
index 6fafaac0a01ff..d61367c9841d4 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md)
-
-## IUiSettingsClient.isDefault property
-
-Returns true if the setting has no user-defined value or is unknown
-
-<b>Signature:</b>
-
-```typescript
-isDefault: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md)
+
+## IUiSettingsClient.isDefault property
+
+Returns true if the setting has no user-defined value or is unknown
+
+<b>Signature:</b>
+
+```typescript
+isDefault: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
index 28018eddafdde..5749e1db1fe43 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md)
-
-## IUiSettingsClient.isOverridden property
-
-Shows whether the uiSettings value set by the user.
-
-<b>Signature:</b>
-
-```typescript
-isOverridden: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md)
+
+## IUiSettingsClient.isOverridden property
+
+Shows whether the uiSettings value set by the user.
+
+<b>Signature:</b>
+
+```typescript
+isOverridden: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
index bc2fc02977f43..4183a30806d9a 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-## IUiSettingsClient interface
-
-Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-export interface IUiSettingsClient 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-public.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; T</code> | Gets the value for a specific uiSetting. If this setting has no user-defined value then the <code>defaultOverride</code> parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin. |
-|  [get$](./kibana-plugin-public.iuisettingsclient.get_.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; Observable&lt;T&gt;</code> | Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a <code>defaultOverride</code> argument behaves the same as it does in \#get() |
-|  [getAll](./kibana-plugin-public.iuisettingsclient.getall.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams &amp; UserProvidedValues&gt;&gt;</code> | Gets the metadata about all uiSettings, including the type, default value, and user value for each key. |
-|  [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
-|  [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
-|  [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md) | <code>() =&gt; Observable&lt;Error&gt;</code> | Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class. |
-|  [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting wasn't registered by any plugin, but was either added directly via <code>set()</code>, or is an unknown setting found in the uiSettings saved object |
-|  [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the <code>set()</code> method. |
-|  [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting has no user-defined value or is unknown |
-|  [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
-|  [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md) | <code>(key: string, newDefault: any) =&gt; void</code> | Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost. |
-|  [remove](./kibana-plugin-public.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;boolean&gt;</code> | Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling <code>set(key, null)</code>, including the synchronization, custom setting, and error behavior of that method. |
-|  [set](./kibana-plugin-public.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;boolean&gt;</code> | Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the <code>get()</code> method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before <code>set()</code> was called. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+## IUiSettingsClient interface
+
+Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+export interface IUiSettingsClient 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-public.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; T</code> | Gets the value for a specific uiSetting. If this setting has no user-defined value then the <code>defaultOverride</code> parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin. |
+|  [get$](./kibana-plugin-public.iuisettingsclient.get_.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; Observable&lt;T&gt;</code> | Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a <code>defaultOverride</code> argument behaves the same as it does in \#get() |
+|  [getAll](./kibana-plugin-public.iuisettingsclient.getall.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams &amp; UserProvidedValues&gt;&gt;</code> | Gets the metadata about all uiSettings, including the type, default value, and user value for each key. |
+|  [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
+|  [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
+|  [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md) | <code>() =&gt; Observable&lt;Error&gt;</code> | Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class. |
+|  [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting wasn't registered by any plugin, but was either added directly via <code>set()</code>, or is an unknown setting found in the uiSettings saved object |
+|  [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the <code>set()</code> method. |
+|  [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting has no user-defined value or is unknown |
+|  [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
+|  [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md) | <code>(key: string, newDefault: any) =&gt; void</code> | Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost. |
+|  [remove](./kibana-plugin-public.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;boolean&gt;</code> | Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling <code>set(key, null)</code>, including the synchronization, custom setting, and error behavior of that method. |
+|  [set](./kibana-plugin-public.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;boolean&gt;</code> | Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the <code>get()</code> method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before <code>set()</code> was called. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
index f56b5687da5a4..d7e7c01876654 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md)
-
-## IUiSettingsClient.overrideLocalDefault property
-
-Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost.
-
-<b>Signature:</b>
-
-```typescript
-overrideLocalDefault: (key: string, newDefault: any) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md)
+
+## IUiSettingsClient.overrideLocalDefault property
+
+Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost.
+
+<b>Signature:</b>
+
+```typescript
+overrideLocalDefault: (key: string, newDefault: any) => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
index d086eb3dfc1a2..c2171e5c883f8 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [remove](./kibana-plugin-public.iuisettingsclient.remove.md)
-
-## IUiSettingsClient.remove property
-
-Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling `set(key, null)`<!-- -->, including the synchronization, custom setting, and error behavior of that method.
-
-<b>Signature:</b>
-
-```typescript
-remove: (key: string) => Promise<boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [remove](./kibana-plugin-public.iuisettingsclient.remove.md)
+
+## IUiSettingsClient.remove property
+
+Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling `set(key, null)`<!-- -->, including the synchronization, custom setting, and error behavior of that method.
+
+<b>Signature:</b>
+
+```typescript
+remove: (key: string) => Promise<boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
index 0c452d13beefd..d9e62eec4cf08 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [set](./kibana-plugin-public.iuisettingsclient.set.md)
-
-## IUiSettingsClient.set property
-
-Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the `get()` method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before `set()` was called.
-
-<b>Signature:</b>
-
-```typescript
-set: (key: string, value: any) => Promise<boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [set](./kibana-plugin-public.iuisettingsclient.set.md)
+
+## IUiSettingsClient.set property
+
+Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the `get()` method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before `set()` was called.
+
+<b>Signature:</b>
+
+```typescript
+set: (key: string, value: any) => Promise<boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
index 7f3430e6de95e..f71277e64ff17 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md)
-
-## LegacyCoreSetup.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: InjectedMetadataSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md)
+
+## LegacyCoreSetup.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: InjectedMetadataSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycoresetup.md b/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
index 6a06343cec70e..803c96cd0b22c 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md)
-
-## LegacyCoreSetup interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Setup interface exposed to the legacy platform via the `ui/new_platform` module.
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyCoreSetup extends CoreSetup<any> 
-```
-
-## Remarks
-
-Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreSetup](./kibana-plugin-public.coresetup.md)<!-- -->, unsupported methods will throw exceptions when called.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md) | <code>InjectedMetadataSetup</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md)
+
+## LegacyCoreSetup interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Setup interface exposed to the legacy platform via the `ui/new_platform` module.
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyCoreSetup extends CoreSetup<any> 
+```
+
+## Remarks
+
+Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreSetup](./kibana-plugin-public.coresetup.md)<!-- -->, unsupported methods will throw exceptions when called.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md) | <code>InjectedMetadataSetup</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
index 273b28a111bd4..cd818c3f5adc7 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md)
-
-## LegacyCoreStart.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: InjectedMetadataStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md)
+
+## LegacyCoreStart.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: InjectedMetadataStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycorestart.md b/docs/development/core/public/kibana-plugin-public.legacycorestart.md
index 17bf021f06444..438a3d6110776 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycorestart.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycorestart.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md)
-
-## LegacyCoreStart interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Start interface exposed to the legacy platform via the `ui/new_platform` module.
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyCoreStart extends CoreStart 
-```
-
-## Remarks
-
-Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->, unsupported methods will throw exceptions when called.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md) | <code>InjectedMetadataStart</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md)
+
+## LegacyCoreStart interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Start interface exposed to the legacy platform via the `ui/new_platform` module.
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyCoreStart extends CoreStart 
+```
+
+## Remarks
+
+Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->, unsupported methods will throw exceptions when called.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md) | <code>InjectedMetadataStart</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
index ff952b4509079..7026e9b519cc0 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [category](./kibana-plugin-public.legacynavlink.category.md)
-
-## LegacyNavLink.category property
-
-<b>Signature:</b>
-
-```typescript
-category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [category](./kibana-plugin-public.legacynavlink.category.md)
+
+## LegacyNavLink.category property
+
+<b>Signature:</b>
+
+```typescript
+category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
index 5cb803d1d2f91..bf0308e88d506 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md)
-
-## LegacyNavLink.euiIconType property
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md)
+
+## LegacyNavLink.euiIconType property
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
index 1bc64b6086628..5dfe64c3a9610 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [icon](./kibana-plugin-public.legacynavlink.icon.md)
-
-## LegacyNavLink.icon property
-
-<b>Signature:</b>
-
-```typescript
-icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [icon](./kibana-plugin-public.legacynavlink.icon.md)
+
+## LegacyNavLink.icon property
+
+<b>Signature:</b>
+
+```typescript
+icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
index c6c2f2dfd8d98..c8d8b025e48ee 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [id](./kibana-plugin-public.legacynavlink.id.md)
-
-## LegacyNavLink.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [id](./kibana-plugin-public.legacynavlink.id.md)
+
+## LegacyNavLink.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.md
index 1476052ed7a43..e112110dd10f8 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md)
-
-## LegacyNavLink interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyNavLink 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-public.legacynavlink.category.md) | <code>AppCategory</code> |  |
-|  [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md) | <code>string</code> |  |
-|  [icon](./kibana-plugin-public.legacynavlink.icon.md) | <code>string</code> |  |
-|  [id](./kibana-plugin-public.legacynavlink.id.md) | <code>string</code> |  |
-|  [order](./kibana-plugin-public.legacynavlink.order.md) | <code>number</code> |  |
-|  [title](./kibana-plugin-public.legacynavlink.title.md) | <code>string</code> |  |
-|  [url](./kibana-plugin-public.legacynavlink.url.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md)
+
+## LegacyNavLink interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyNavLink 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-public.legacynavlink.category.md) | <code>AppCategory</code> |  |
+|  [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md) | <code>string</code> |  |
+|  [icon](./kibana-plugin-public.legacynavlink.icon.md) | <code>string</code> |  |
+|  [id](./kibana-plugin-public.legacynavlink.id.md) | <code>string</code> |  |
+|  [order](./kibana-plugin-public.legacynavlink.order.md) | <code>number</code> |  |
+|  [title](./kibana-plugin-public.legacynavlink.title.md) | <code>string</code> |  |
+|  [url](./kibana-plugin-public.legacynavlink.url.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
index 255fcfd0fb8cf..bfb2a2caad623 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [order](./kibana-plugin-public.legacynavlink.order.md)
-
-## LegacyNavLink.order property
-
-<b>Signature:</b>
-
-```typescript
-order: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [order](./kibana-plugin-public.legacynavlink.order.md)
+
+## LegacyNavLink.order property
+
+<b>Signature:</b>
+
+```typescript
+order: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
index 90b1a98a90fef..2cb7a4ebdbc76 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [title](./kibana-plugin-public.legacynavlink.title.md)
-
-## LegacyNavLink.title property
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [title](./kibana-plugin-public.legacynavlink.title.md)
+
+## LegacyNavLink.title property
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
index e26095bfbfb6e..fc2d55109dc98 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [url](./kibana-plugin-public.legacynavlink.url.md)
-
-## LegacyNavLink.url property
-
-<b>Signature:</b>
-
-```typescript
-url: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [url](./kibana-plugin-public.legacynavlink.url.md)
+
+## LegacyNavLink.url property
+
+<b>Signature:</b>
+
+```typescript
+url: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.md b/docs/development/core/public/kibana-plugin-public.md
index 95a4327728139..de6726b34dfab 100644
--- a/docs/development/core/public/kibana-plugin-public.md
+++ b/docs/development/core/public/kibana-plugin-public.md
@@ -1,161 +1,161 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md)
-
-## kibana-plugin-public package
-
-The Kibana Core APIs for client-side plugins.
-
-A plugin's `public/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-public.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-public.plugin.md)<!-- -->.
-
-The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-public.coresetup.md) or [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
-
-## Classes
-
-|  Class | Description |
-|  --- | --- |
-|  [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects. |
-|  [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) | This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.<!-- -->It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations. |
-|  [ToastsApi](./kibana-plugin-public.toastsapi.md) | Methods for adding and removing global toast messages. |
-
-## Enumerations
-
-|  Enumeration | Description |
-|  --- | --- |
-|  [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md) | Possible type of actions on application leave. |
-|  [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) | Status of the application's navLink. |
-|  [AppStatus](./kibana-plugin-public.appstatus.md) | Accessibility status of an application. |
-
-## Interfaces
-
-|  Interface | Description |
-|  --- | --- |
-|  [App](./kibana-plugin-public.app.md) | Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function. |
-|  [AppBase](./kibana-plugin-public.appbase.md) |  |
-|  [AppCategory](./kibana-plugin-public.appcategory.md) | A category definition for nav links to know where to sort them in the left hand nav |
-|  [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.<!-- -->See  |
-|  [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.<!-- -->See  |
-|  [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |  |
-|  [ApplicationStart](./kibana-plugin-public.applicationstart.md) |  |
-|  [AppMountContext](./kibana-plugin-public.appmountcontext.md) | The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-|  [AppMountParameters](./kibana-plugin-public.appmountparameters.md) |  |
-|  [Capabilities](./kibana-plugin-public.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
-|  [ChromeBadge](./kibana-plugin-public.chromebadge.md) |  |
-|  [ChromeBrand](./kibana-plugin-public.chromebrand.md) |  |
-|  [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) | APIs for accessing and updating the document title. |
-|  [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) |  |
-|  [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) |  |
-|  [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
-|  [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) |  |
-|  [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
-|  [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
-|  [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) |  |
-|  [ChromeStart](./kibana-plugin-public.chromestart.md) | ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser. |
-|  [ContextSetup](./kibana-plugin-public.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [CoreSetup](./kibana-plugin-public.coresetup.md) | Core services exposed to the <code>Plugin</code> setup lifecycle |
-|  [CoreStart](./kibana-plugin-public.corestart.md) | Core services exposed to the <code>Plugin</code> start lifecycle |
-|  [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |  |
-|  [EnvironmentMode](./kibana-plugin-public.environmentmode.md) |  |
-|  [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) | Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
-|  [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) | Represents the <code>message</code> and <code>stack</code> of a fatal Error |
-|  [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
-|  [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) | All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->. |
-|  [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) | Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included. |
-|  [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md) |  |
-|  [HttpHandler](./kibana-plugin-public.httphandler.md) | A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response. |
-|  [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) | Headers to append to the request. Any headers that begin with <code>kbn-</code> are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error. |
-|  [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) | An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->. |
-|  [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) |  |
-|  [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) |  |
-|  [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) | Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s. |
-|  [HttpResponse](./kibana-plugin-public.httpresponse.md) |  |
-|  [HttpSetup](./kibana-plugin-public.httpsetup.md) |  |
-|  [I18nStart](./kibana-plugin-public.i18nstart.md) | I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree. |
-|  [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) | APIs for denoting paths as not requiring authentication |
-|  [IBasePath](./kibana-plugin-public.ibasepath.md) | APIs for manipulating the basePath on URL segments. |
-|  [IContextContainer](./kibana-plugin-public.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) |  |
-|  [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) | Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->. |
-|  [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) | Properties that can be returned by HttpInterceptor.request to override the response. |
-|  [ImageValidation](./kibana-plugin-public.imagevalidation.md) |  |
-|  [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) | Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-|  [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) | Setup interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
-|  [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) | Start interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
-|  [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) |  |
-|  [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |  |
-|  [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |  |
-|  [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |  |
-|  [OverlayRef](./kibana-plugin-public.overlayref.md) | Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay. |
-|  [OverlayStart](./kibana-plugin-public.overlaystart.md) |  |
-|  [PackageInfo](./kibana-plugin-public.packageinfo.md) |  |
-|  [Plugin](./kibana-plugin-public.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
-|  [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) | The available core services passed to a <code>PluginInitializer</code> |
-|  [SavedObject](./kibana-plugin-public.savedobject.md) |  |
-|  [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) | A reference to another saved object. |
-|  [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) |  |
-|  [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) |  |
-|  [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) |  |
-|  [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) |  |
-|  [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) |  |
-|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) |  |
-|  [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) |  |
-|  [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) |  |
-|  [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
-|  [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
-|  [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) | Represents a failure to import. |
-|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
-|  [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) | The response describing the result of an import. |
-|  [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
-|  [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
-|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
-|  [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |  |
-|  [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) |  |
-|  [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) | StringValidation with regex object |
-|  [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) | StringValidation as regex string |
-|  [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
-|  [UiSettingsState](./kibana-plugin-public.uisettingsstate.md) |  |
-|  [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) | Describes the values explicitly set by user. |
-
-## Type Aliases
-
-|  Type Alias | Description |
-|  --- | --- |
-|  [AppLeaveAction](./kibana-plugin-public.appleaveaction.md) | Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)<!-- -->See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) |
-|  [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) | A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return <code>confirm</code> to to prompt a message to the user before leaving the page, or <code>default</code> to keep the default behavior (doing nothing).<!-- -->See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples. |
-|  [AppMount](./kibana-plugin-public.appmount.md) | A mount function called when the user navigates to this app's route. |
-|  [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md) | A mount function called when the user navigates to this app's route. |
-|  [AppUnmount](./kibana-plugin-public.appunmount.md) | A function called when an application should be unmounted from the page. This function should be synchronous. |
-|  [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) | Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->. |
-|  [AppUpdater](./kibana-plugin-public.appupdater.md) | Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
-|  [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md) |  |
-|  [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md) |  |
-|  [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md) |  |
-|  [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md) |  |
-|  [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md) |  |
-|  [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md) |  |
-|  [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md) |  |
-|  [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
-|  [HandlerContextType](./kibana-plugin-public.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context. |
-|  [HandlerFunction](./kibana-plugin-public.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md) |
-|  [HandlerParameters](./kibana-plugin-public.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->. |
-|  [HttpStart](./kibana-plugin-public.httpstart.md) | See [HttpSetup](./kibana-plugin-public.httpsetup.md) |
-|  [IContextProvider](./kibana-plugin-public.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
-|  [IToasts](./kibana-plugin-public.itoasts.md) | Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->. |
-|  [MountPoint](./kibana-plugin-public.mountpoint.md) | A function that should mount DOM content inside the provided container element and return a handler to unmount it. |
-|  [PluginInitializer](./kibana-plugin-public.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>public</code> directory should conform to this interface. |
-|  [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md) |  |
-|  [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md) |  |
-|  [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
-|  [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) |
-|  [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md) | SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
-|  [StringValidation](./kibana-plugin-public.stringvalidation.md) | Allows regex objects or a regex string |
-|  [Toast](./kibana-plugin-public.toast.md) |  |
-|  [ToastInput](./kibana-plugin-public.toastinput.md) | Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
-|  [ToastInputFields](./kibana-plugin-public.toastinputfields.md) | Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->. |
-|  [ToastsSetup](./kibana-plugin-public.toastssetup.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
-|  [ToastsStart](./kibana-plugin-public.toastsstart.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
-|  [UiSettingsType](./kibana-plugin-public.uisettingstype.md) | UI element type to represent the settings. |
-|  [UnmountCallback](./kibana-plugin-public.unmountcallback.md) | A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md)
+
+## kibana-plugin-public package
+
+The Kibana Core APIs for client-side plugins.
+
+A plugin's `public/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-public.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-public.plugin.md)<!-- -->.
+
+The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-public.coresetup.md) or [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
+
+## Classes
+
+|  Class | Description |
+|  --- | --- |
+|  [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects. |
+|  [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) | This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.<!-- -->It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations. |
+|  [ToastsApi](./kibana-plugin-public.toastsapi.md) | Methods for adding and removing global toast messages. |
+
+## Enumerations
+
+|  Enumeration | Description |
+|  --- | --- |
+|  [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md) | Possible type of actions on application leave. |
+|  [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) | Status of the application's navLink. |
+|  [AppStatus](./kibana-plugin-public.appstatus.md) | Accessibility status of an application. |
+
+## Interfaces
+
+|  Interface | Description |
+|  --- | --- |
+|  [App](./kibana-plugin-public.app.md) | Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function. |
+|  [AppBase](./kibana-plugin-public.appbase.md) |  |
+|  [AppCategory](./kibana-plugin-public.appcategory.md) | A category definition for nav links to know where to sort them in the left hand nav |
+|  [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.<!-- -->See  |
+|  [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.<!-- -->See  |
+|  [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |  |
+|  [ApplicationStart](./kibana-plugin-public.applicationstart.md) |  |
+|  [AppMountContext](./kibana-plugin-public.appmountcontext.md) | The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+|  [AppMountParameters](./kibana-plugin-public.appmountparameters.md) |  |
+|  [Capabilities](./kibana-plugin-public.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
+|  [ChromeBadge](./kibana-plugin-public.chromebadge.md) |  |
+|  [ChromeBrand](./kibana-plugin-public.chromebrand.md) |  |
+|  [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) | APIs for accessing and updating the document title. |
+|  [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) |  |
+|  [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) |  |
+|  [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
+|  [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) |  |
+|  [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
+|  [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
+|  [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) |  |
+|  [ChromeStart](./kibana-plugin-public.chromestart.md) | ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser. |
+|  [ContextSetup](./kibana-plugin-public.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [CoreSetup](./kibana-plugin-public.coresetup.md) | Core services exposed to the <code>Plugin</code> setup lifecycle |
+|  [CoreStart](./kibana-plugin-public.corestart.md) | Core services exposed to the <code>Plugin</code> start lifecycle |
+|  [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |  |
+|  [EnvironmentMode](./kibana-plugin-public.environmentmode.md) |  |
+|  [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) | Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
+|  [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) | Represents the <code>message</code> and <code>stack</code> of a fatal Error |
+|  [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
+|  [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) | All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->. |
+|  [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) | Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included. |
+|  [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md) |  |
+|  [HttpHandler](./kibana-plugin-public.httphandler.md) | A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response. |
+|  [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) | Headers to append to the request. Any headers that begin with <code>kbn-</code> are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error. |
+|  [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) | An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->. |
+|  [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) |  |
+|  [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) |  |
+|  [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) | Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s. |
+|  [HttpResponse](./kibana-plugin-public.httpresponse.md) |  |
+|  [HttpSetup](./kibana-plugin-public.httpsetup.md) |  |
+|  [I18nStart](./kibana-plugin-public.i18nstart.md) | I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree. |
+|  [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) | APIs for denoting paths as not requiring authentication |
+|  [IBasePath](./kibana-plugin-public.ibasepath.md) | APIs for manipulating the basePath on URL segments. |
+|  [IContextContainer](./kibana-plugin-public.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) |  |
+|  [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) | Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->. |
+|  [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) | Properties that can be returned by HttpInterceptor.request to override the response. |
+|  [ImageValidation](./kibana-plugin-public.imagevalidation.md) |  |
+|  [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) | Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+|  [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) | Setup interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
+|  [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) | Start interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
+|  [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) |  |
+|  [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |  |
+|  [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |  |
+|  [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |  |
+|  [OverlayRef](./kibana-plugin-public.overlayref.md) | Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay. |
+|  [OverlayStart](./kibana-plugin-public.overlaystart.md) |  |
+|  [PackageInfo](./kibana-plugin-public.packageinfo.md) |  |
+|  [Plugin](./kibana-plugin-public.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
+|  [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) | The available core services passed to a <code>PluginInitializer</code> |
+|  [SavedObject](./kibana-plugin-public.savedobject.md) |  |
+|  [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) | A reference to another saved object. |
+|  [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) |  |
+|  [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) |  |
+|  [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) |  |
+|  [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) |  |
+|  [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) |  |
+|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) |  |
+|  [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) |  |
+|  [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) |  |
+|  [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
+|  [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
+|  [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) | Represents a failure to import. |
+|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
+|  [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) | The response describing the result of an import. |
+|  [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
+|  [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
+|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
+|  [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |  |
+|  [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) |  |
+|  [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) | StringValidation with regex object |
+|  [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) | StringValidation as regex string |
+|  [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
+|  [UiSettingsState](./kibana-plugin-public.uisettingsstate.md) |  |
+|  [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) | Describes the values explicitly set by user. |
+
+## Type Aliases
+
+|  Type Alias | Description |
+|  --- | --- |
+|  [AppLeaveAction](./kibana-plugin-public.appleaveaction.md) | Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)<!-- -->See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) |
+|  [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) | A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return <code>confirm</code> to to prompt a message to the user before leaving the page, or <code>default</code> to keep the default behavior (doing nothing).<!-- -->See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples. |
+|  [AppMount](./kibana-plugin-public.appmount.md) | A mount function called when the user navigates to this app's route. |
+|  [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md) | A mount function called when the user navigates to this app's route. |
+|  [AppUnmount](./kibana-plugin-public.appunmount.md) | A function called when an application should be unmounted from the page. This function should be synchronous. |
+|  [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) | Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->. |
+|  [AppUpdater](./kibana-plugin-public.appupdater.md) | Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
+|  [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md) |  |
+|  [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md) |  |
+|  [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md) |  |
+|  [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md) |  |
+|  [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md) |  |
+|  [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md) |  |
+|  [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md) |  |
+|  [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
+|  [HandlerContextType](./kibana-plugin-public.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context. |
+|  [HandlerFunction](./kibana-plugin-public.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md) |
+|  [HandlerParameters](./kibana-plugin-public.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->. |
+|  [HttpStart](./kibana-plugin-public.httpstart.md) | See [HttpSetup](./kibana-plugin-public.httpsetup.md) |
+|  [IContextProvider](./kibana-plugin-public.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
+|  [IToasts](./kibana-plugin-public.itoasts.md) | Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->. |
+|  [MountPoint](./kibana-plugin-public.mountpoint.md) | A function that should mount DOM content inside the provided container element and return a handler to unmount it. |
+|  [PluginInitializer](./kibana-plugin-public.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>public</code> directory should conform to this interface. |
+|  [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md) |  |
+|  [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md) |  |
+|  [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
+|  [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) |
+|  [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md) | SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
+|  [StringValidation](./kibana-plugin-public.stringvalidation.md) | Allows regex objects or a regex string |
+|  [Toast](./kibana-plugin-public.toast.md) |  |
+|  [ToastInput](./kibana-plugin-public.toastinput.md) | Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
+|  [ToastInputFields](./kibana-plugin-public.toastinputfields.md) | Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->. |
+|  [ToastsSetup](./kibana-plugin-public.toastssetup.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
+|  [ToastsStart](./kibana-plugin-public.toastsstart.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
+|  [UiSettingsType](./kibana-plugin-public.uisettingstype.md) | UI element type to represent the settings. |
+|  [UnmountCallback](./kibana-plugin-public.unmountcallback.md) | A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.mountpoint.md b/docs/development/core/public/kibana-plugin-public.mountpoint.md
index 4b4d1def18acc..928d22f00ed00 100644
--- a/docs/development/core/public/kibana-plugin-public.mountpoint.md
+++ b/docs/development/core/public/kibana-plugin-public.mountpoint.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [MountPoint](./kibana-plugin-public.mountpoint.md)
-
-## MountPoint type
-
-A function that should mount DOM content inside the provided container element and return a handler to unmount it.
-
-<b>Signature:</b>
-
-```typescript
-export declare type MountPoint<T extends HTMLElement = HTMLElement> = (element: T) => UnmountCallback;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [MountPoint](./kibana-plugin-public.mountpoint.md)
+
+## MountPoint type
+
+A function that should mount DOM content inside the provided container element and return a handler to unmount it.
+
+<b>Signature:</b>
+
+```typescript
+export declare type MountPoint<T extends HTMLElement = HTMLElement> = (element: T) => UnmountCallback;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.notificationssetup.md b/docs/development/core/public/kibana-plugin-public.notificationssetup.md
index 62251067b7a3d..c03abf9d01dca 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationssetup.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
-
-## NotificationsSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface NotificationsSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [toasts](./kibana-plugin-public.notificationssetup.toasts.md) | <code>ToastsSetup</code> | [ToastsSetup](./kibana-plugin-public.toastssetup.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
+
+## NotificationsSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface NotificationsSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [toasts](./kibana-plugin-public.notificationssetup.toasts.md) | <code>ToastsSetup</code> | [ToastsSetup](./kibana-plugin-public.toastssetup.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md b/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
index 44262cd3c559c..dd613a959061e 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) &gt; [toasts](./kibana-plugin-public.notificationssetup.toasts.md)
-
-## NotificationsSetup.toasts property
-
-[ToastsSetup](./kibana-plugin-public.toastssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-toasts: ToastsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) &gt; [toasts](./kibana-plugin-public.notificationssetup.toasts.md)
+
+## NotificationsSetup.toasts property
+
+[ToastsSetup](./kibana-plugin-public.toastssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+toasts: ToastsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.notificationsstart.md b/docs/development/core/public/kibana-plugin-public.notificationsstart.md
index 88ebd6cf3d830..56a1ce2095742 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationsstart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md)
-
-## NotificationsStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface NotificationsStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [toasts](./kibana-plugin-public.notificationsstart.toasts.md) | <code>ToastsStart</code> | [ToastsStart](./kibana-plugin-public.toastsstart.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md)
+
+## NotificationsStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface NotificationsStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [toasts](./kibana-plugin-public.notificationsstart.toasts.md) | <code>ToastsStart</code> | [ToastsStart](./kibana-plugin-public.toastsstart.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md b/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
index 1e742495559d7..9d2c685946fda 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md) &gt; [toasts](./kibana-plugin-public.notificationsstart.toasts.md)
-
-## NotificationsStart.toasts property
-
-[ToastsStart](./kibana-plugin-public.toastsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-toasts: ToastsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md) &gt; [toasts](./kibana-plugin-public.notificationsstart.toasts.md)
+
+## NotificationsStart.toasts property
+
+[ToastsStart](./kibana-plugin-public.toastsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+toasts: ToastsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
index c0281090e20e1..8ce59d5d9ca78 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [add](./kibana-plugin-public.overlaybannersstart.add.md)
-
-## OverlayBannersStart.add() method
-
-Add a new banner
-
-<b>Signature:</b>
-
-```typescript
-add(mount: MountPoint, priority?: number): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  mount | <code>MountPoint</code> |  |
-|  priority | <code>number</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
-a unique identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [add](./kibana-plugin-public.overlaybannersstart.add.md)
+
+## OverlayBannersStart.add() method
+
+Add a new banner
+
+<b>Signature:</b>
+
+```typescript
+add(mount: MountPoint, priority?: number): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  mount | <code>MountPoint</code> |  |
+|  priority | <code>number</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
+a unique identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
index 3a89c1a0171e4..0ecb9862dee3d 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [getComponent](./kibana-plugin-public.overlaybannersstart.getcomponent.md)
-
-## OverlayBannersStart.getComponent() method
-
-<b>Signature:</b>
-
-```typescript
-getComponent(): JSX.Element;
-```
-<b>Returns:</b>
-
-`JSX.Element`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [getComponent](./kibana-plugin-public.overlaybannersstart.getcomponent.md)
+
+## OverlayBannersStart.getComponent() method
+
+<b>Signature:</b>
+
+```typescript
+getComponent(): JSX.Element;
+```
+<b>Returns:</b>
+
+`JSX.Element`
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
index 0d5e221174a50..34e4ab8553792 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
-
-## OverlayBannersStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayBannersStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [add(mount, priority)](./kibana-plugin-public.overlaybannersstart.add.md) | Add a new banner |
-|  [getComponent()](./kibana-plugin-public.overlaybannersstart.getcomponent.md) |  |
-|  [remove(id)](./kibana-plugin-public.overlaybannersstart.remove.md) | Remove a banner |
-|  [replace(id, mount, priority)](./kibana-plugin-public.overlaybannersstart.replace.md) | Replace a banner in place |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
+
+## OverlayBannersStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayBannersStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [add(mount, priority)](./kibana-plugin-public.overlaybannersstart.add.md) | Add a new banner |
+|  [getComponent()](./kibana-plugin-public.overlaybannersstart.getcomponent.md) |  |
+|  [remove(id)](./kibana-plugin-public.overlaybannersstart.remove.md) | Remove a banner |
+|  [replace(id, mount, priority)](./kibana-plugin-public.overlaybannersstart.replace.md) | Replace a banner in place |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
index 8406fbbc26c21..4fc5cfcd1c8d0 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [remove](./kibana-plugin-public.overlaybannersstart.remove.md)
-
-## OverlayBannersStart.remove() method
-
-Remove a banner
-
-<b>Signature:</b>
-
-```typescript
-remove(id: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
-if the banner was found or not
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [remove](./kibana-plugin-public.overlaybannersstart.remove.md)
+
+## OverlayBannersStart.remove() method
+
+Remove a banner
+
+<b>Signature:</b>
+
+```typescript
+remove(id: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
+if the banner was found or not
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
index 5a6cd79300b74..a8f6915ea9bb7 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [replace](./kibana-plugin-public.overlaybannersstart.replace.md)
-
-## OverlayBannersStart.replace() method
-
-Replace a banner in place
-
-<b>Signature:</b>
-
-```typescript
-replace(id: string | undefined, mount: MountPoint, priority?: number): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string &#124; undefined</code> |  |
-|  mount | <code>MountPoint</code> |  |
-|  priority | <code>number</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
-a new identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [replace](./kibana-plugin-public.overlaybannersstart.replace.md)
+
+## OverlayBannersStart.replace() method
+
+Replace a banner in place
+
+<b>Signature:</b>
+
+```typescript
+replace(id: string | undefined, mount: MountPoint, priority?: number): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string &#124; undefined</code> |  |
+|  mount | <code>MountPoint</code> |  |
+|  priority | <code>number</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
+a new identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.close.md b/docs/development/core/public/kibana-plugin-public.overlayref.close.md
index 4dc0e8ab9a3c4..32f17882af304 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.close.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.close.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [close](./kibana-plugin-public.overlayref.close.md)
-
-## OverlayRef.close() method
-
-Closes the referenced overlay if it's still open which in turn will resolve the `onClose` Promise. If the overlay had already been closed this method does nothing.
-
-<b>Signature:</b>
-
-```typescript
-close(): Promise<void>;
-```
-<b>Returns:</b>
-
-`Promise<void>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [close](./kibana-plugin-public.overlayref.close.md)
+
+## OverlayRef.close() method
+
+Closes the referenced overlay if it's still open which in turn will resolve the `onClose` Promise. If the overlay had already been closed this method does nothing.
+
+<b>Signature:</b>
+
+```typescript
+close(): Promise<void>;
+```
+<b>Returns:</b>
+
+`Promise<void>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.md b/docs/development/core/public/kibana-plugin-public.overlayref.md
index a5ba8e61d3f9b..e71415280e4d2 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md)
-
-## OverlayRef interface
-
-Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay.
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayRef 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [onClose](./kibana-plugin-public.overlayref.onclose.md) | <code>Promise&lt;void&gt;</code> | A Promise that will resolve once this overlay is closed.<!-- -->Overlays can close from user interaction, calling <code>close()</code> on the overlay reference or another overlay replacing yours via <code>openModal</code> or <code>openFlyout</code>. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [close()](./kibana-plugin-public.overlayref.close.md) | Closes the referenced overlay if it's still open which in turn will resolve the <code>onClose</code> Promise. If the overlay had already been closed this method does nothing. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md)
+
+## OverlayRef interface
+
+Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay.
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayRef 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [onClose](./kibana-plugin-public.overlayref.onclose.md) | <code>Promise&lt;void&gt;</code> | A Promise that will resolve once this overlay is closed.<!-- -->Overlays can close from user interaction, calling <code>close()</code> on the overlay reference or another overlay replacing yours via <code>openModal</code> or <code>openFlyout</code>. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [close()](./kibana-plugin-public.overlayref.close.md) | Closes the referenced overlay if it's still open which in turn will resolve the <code>onClose</code> Promise. If the overlay had already been closed this method does nothing. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md b/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
index 64b4526b5c3ce..641b48b2b1ca1 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [onClose](./kibana-plugin-public.overlayref.onclose.md)
-
-## OverlayRef.onClose property
-
-A Promise that will resolve once this overlay is closed.
-
-Overlays can close from user interaction, calling `close()` on the overlay reference or another overlay replacing yours via `openModal` or `openFlyout`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-onClose: Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [onClose](./kibana-plugin-public.overlayref.onclose.md)
+
+## OverlayRef.onClose property
+
+A Promise that will resolve once this overlay is closed.
+
+Overlays can close from user interaction, calling `close()` on the overlay reference or another overlay replacing yours via `openModal` or `openFlyout`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+onClose: Promise<void>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md b/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
index a9dc10dfcbc80..60ecc4b873f0d 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [banners](./kibana-plugin-public.overlaystart.banners.md)
-
-## OverlayStart.banners property
-
-[OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
-
-<b>Signature:</b>
-
-```typescript
-banners: OverlayBannersStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [banners](./kibana-plugin-public.overlaystart.banners.md)
+
+## OverlayStart.banners property
+
+[OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
+
+<b>Signature:</b>
+
+```typescript
+banners: OverlayBannersStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.md b/docs/development/core/public/kibana-plugin-public.overlaystart.md
index 1f9d9d020ecf0..a83044763344b 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md)
-
-## OverlayStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [banners](./kibana-plugin-public.overlaystart.banners.md) | <code>OverlayBannersStart</code> | [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |
-|  [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md) | <code>OverlayModalStart['openConfirm']</code> |  |
-|  [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md) | <code>OverlayFlyoutStart['open']</code> |  |
-|  [openModal](./kibana-plugin-public.overlaystart.openmodal.md) | <code>OverlayModalStart['open']</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md)
+
+## OverlayStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [banners](./kibana-plugin-public.overlaystart.banners.md) | <code>OverlayBannersStart</code> | [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |
+|  [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md) | <code>OverlayModalStart['openConfirm']</code> |  |
+|  [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md) | <code>OverlayFlyoutStart['open']</code> |  |
+|  [openModal](./kibana-plugin-public.overlaystart.openmodal.md) | <code>OverlayModalStart['open']</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
index 8c53cb39b60ef..543a69e0b3318 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md)
-
-## OverlayStart.openConfirm property
-
-
-<b>Signature:</b>
-
-```typescript
-openConfirm: OverlayModalStart['openConfirm'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md)
+
+## OverlayStart.openConfirm property
+
+
+<b>Signature:</b>
+
+```typescript
+openConfirm: OverlayModalStart['openConfirm'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
index 1717d881a8806..ad3351fb4d098 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md)
-
-## OverlayStart.openFlyout property
-
-
-<b>Signature:</b>
-
-```typescript
-openFlyout: OverlayFlyoutStart['open'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md)
+
+## OverlayStart.openFlyout property
+
+
+<b>Signature:</b>
+
+```typescript
+openFlyout: OverlayFlyoutStart['open'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
index 2c5a30be5138e..2c983d6151f4c 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openModal](./kibana-plugin-public.overlaystart.openmodal.md)
-
-## OverlayStart.openModal property
-
-
-<b>Signature:</b>
-
-```typescript
-openModal: OverlayModalStart['open'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openModal](./kibana-plugin-public.overlaystart.openmodal.md)
+
+## OverlayStart.openModal property
+
+
+<b>Signature:</b>
+
+```typescript
+openModal: OverlayModalStart['open'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md b/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
index 008edb80af86e..774a290969938 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [branch](./kibana-plugin-public.packageinfo.branch.md)
-
-## PackageInfo.branch property
-
-<b>Signature:</b>
-
-```typescript
-branch: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [branch](./kibana-plugin-public.packageinfo.branch.md)
+
+## PackageInfo.branch property
+
+<b>Signature:</b>
+
+```typescript
+branch: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md b/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
index 8895955e4dee1..0c1003f8d8aff 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildNum](./kibana-plugin-public.packageinfo.buildnum.md)
-
-## PackageInfo.buildNum property
-
-<b>Signature:</b>
-
-```typescript
-buildNum: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildNum](./kibana-plugin-public.packageinfo.buildnum.md)
+
+## PackageInfo.buildNum property
+
+<b>Signature:</b>
+
+```typescript
+buildNum: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md b/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
index f12471f5ea7f5..98a7916c142e9 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildSha](./kibana-plugin-public.packageinfo.buildsha.md)
-
-## PackageInfo.buildSha property
-
-<b>Signature:</b>
-
-```typescript
-buildSha: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildSha](./kibana-plugin-public.packageinfo.buildsha.md)
+
+## PackageInfo.buildSha property
+
+<b>Signature:</b>
+
+```typescript
+buildSha: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md b/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
index f13f2ac4c679e..c70299bbe6fcc 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [dist](./kibana-plugin-public.packageinfo.dist.md)
-
-## PackageInfo.dist property
-
-<b>Signature:</b>
-
-```typescript
-dist: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [dist](./kibana-plugin-public.packageinfo.dist.md)
+
+## PackageInfo.dist property
+
+<b>Signature:</b>
+
+```typescript
+dist: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.md b/docs/development/core/public/kibana-plugin-public.packageinfo.md
index bd38e5e2c06e1..1dbd8cb85c56b 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md)
-
-## PackageInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PackageInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [branch](./kibana-plugin-public.packageinfo.branch.md) | <code>string</code> |  |
-|  [buildNum](./kibana-plugin-public.packageinfo.buildnum.md) | <code>number</code> |  |
-|  [buildSha](./kibana-plugin-public.packageinfo.buildsha.md) | <code>string</code> |  |
-|  [dist](./kibana-plugin-public.packageinfo.dist.md) | <code>boolean</code> |  |
-|  [version](./kibana-plugin-public.packageinfo.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md)
+
+## PackageInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PackageInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [branch](./kibana-plugin-public.packageinfo.branch.md) | <code>string</code> |  |
+|  [buildNum](./kibana-plugin-public.packageinfo.buildnum.md) | <code>number</code> |  |
+|  [buildSha](./kibana-plugin-public.packageinfo.buildsha.md) | <code>string</code> |  |
+|  [dist](./kibana-plugin-public.packageinfo.dist.md) | <code>boolean</code> |  |
+|  [version](./kibana-plugin-public.packageinfo.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.version.md b/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
index 6b8267c79b6d6..26def753e424a 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [version](./kibana-plugin-public.packageinfo.version.md)
-
-## PackageInfo.version property
-
-<b>Signature:</b>
-
-```typescript
-version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [version](./kibana-plugin-public.packageinfo.version.md)
+
+## PackageInfo.version property
+
+<b>Signature:</b>
+
+```typescript
+version: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.md b/docs/development/core/public/kibana-plugin-public.plugin.md
index a81f9cd60fbbe..979436e6dab37 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md)
-
-## Plugin interface
-
-The interface that should be returned by a `PluginInitializer`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [setup(core, plugins)](./kibana-plugin-public.plugin.setup.md) |  |
-|  [start(core, plugins)](./kibana-plugin-public.plugin.start.md) |  |
-|  [stop()](./kibana-plugin-public.plugin.stop.md) |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md)
+
+## Plugin interface
+
+The interface that should be returned by a `PluginInitializer`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [setup(core, plugins)](./kibana-plugin-public.plugin.setup.md) |  |
+|  [start(core, plugins)](./kibana-plugin-public.plugin.start.md) |  |
+|  [stop()](./kibana-plugin-public.plugin.stop.md) |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.setup.md b/docs/development/core/public/kibana-plugin-public.plugin.setup.md
index 98d7db19cc353..f058bc8d86fbc 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.setup.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.setup.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [setup](./kibana-plugin-public.plugin.setup.md)
-
-## Plugin.setup() method
-
-<b>Signature:</b>
-
-```typescript
-setup(core: CoreSetup<TPluginsStart>, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreSetup&lt;TPluginsStart&gt;</code> |  |
-|  plugins | <code>TPluginsSetup</code> |  |
-
-<b>Returns:</b>
-
-`TSetup | Promise<TSetup>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [setup](./kibana-plugin-public.plugin.setup.md)
+
+## Plugin.setup() method
+
+<b>Signature:</b>
+
+```typescript
+setup(core: CoreSetup<TPluginsStart>, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreSetup&lt;TPluginsStart&gt;</code> |  |
+|  plugins | <code>TPluginsSetup</code> |  |
+
+<b>Returns:</b>
+
+`TSetup | Promise<TSetup>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.start.md b/docs/development/core/public/kibana-plugin-public.plugin.start.md
index 149d925f670ef..b132706f4b7c0 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.start.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.start.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [start](./kibana-plugin-public.plugin.start.md)
-
-## Plugin.start() method
-
-<b>Signature:</b>
-
-```typescript
-start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreStart</code> |  |
-|  plugins | <code>TPluginsStart</code> |  |
-
-<b>Returns:</b>
-
-`TStart | Promise<TStart>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [start](./kibana-plugin-public.plugin.start.md)
+
+## Plugin.start() method
+
+<b>Signature:</b>
+
+```typescript
+start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreStart</code> |  |
+|  plugins | <code>TPluginsStart</code> |  |
+
+<b>Returns:</b>
+
+`TStart | Promise<TStart>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.stop.md b/docs/development/core/public/kibana-plugin-public.plugin.stop.md
index e30bc4b5d8933..2ccb9f5f3655b 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.stop.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.stop.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [stop](./kibana-plugin-public.plugin.stop.md)
-
-## Plugin.stop() method
-
-<b>Signature:</b>
-
-```typescript
-stop?(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [stop](./kibana-plugin-public.plugin.stop.md)
+
+## Plugin.stop() method
+
+<b>Signature:</b>
+
+```typescript
+stop?(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializer.md b/docs/development/core/public/kibana-plugin-public.plugininitializer.md
index ec2b145c09e5a..0e1124afff369 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializer.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializer](./kibana-plugin-public.plugininitializer.md)
-
-## PluginInitializer type
-
-The `plugin` export at the root of a plugin's `public` directory should conform to this interface.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializer](./kibana-plugin-public.plugininitializer.md)
+
+## PluginInitializer type
+
+The `plugin` export at the root of a plugin's `public` directory should conform to this interface.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
index a628a2b43c407..28141c9e13749 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [config](./kibana-plugin-public.plugininitializercontext.config.md)
-
-## PluginInitializerContext.config property
-
-<b>Signature:</b>
-
-```typescript
-readonly config: {
-        get: <T extends object = ConfigSchema>() => T;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [config](./kibana-plugin-public.plugininitializercontext.config.md)
+
+## PluginInitializerContext.config property
+
+<b>Signature:</b>
+
+```typescript
+readonly config: {
+        get: <T extends object = ConfigSchema>() => T;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
index eff61de2dadb1..92f36ab64a1d6 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [env](./kibana-plugin-public.plugininitializercontext.env.md)
-
-## PluginInitializerContext.env property
-
-<b>Signature:</b>
-
-```typescript
-readonly env: {
-        mode: Readonly<EnvironmentMode>;
-        packageInfo: Readonly<PackageInfo>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [env](./kibana-plugin-public.plugininitializercontext.env.md)
+
+## PluginInitializerContext.env property
+
+<b>Signature:</b>
+
+```typescript
+readonly env: {
+        mode: Readonly<EnvironmentMode>;
+        packageInfo: Readonly<PackageInfo>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
index 78c5a88f89c8e..64eaabb28646d 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md)
-
-## PluginInitializerContext interface
-
-The available core services passed to a `PluginInitializer`
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginInitializerContext<ConfigSchema extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [config](./kibana-plugin-public.plugininitializercontext.config.md) | <code>{</code><br/><code>        get: &lt;T extends object = ConfigSchema&gt;() =&gt; T;</code><br/><code>    }</code> |  |
-|  [env](./kibana-plugin-public.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: Readonly&lt;EnvironmentMode&gt;;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
-|  [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> | A symbol used to identify this plugin in the system. Needed when registering handlers or context providers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md)
+
+## PluginInitializerContext interface
+
+The available core services passed to a `PluginInitializer`
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginInitializerContext<ConfigSchema extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [config](./kibana-plugin-public.plugininitializercontext.config.md) | <code>{</code><br/><code>        get: &lt;T extends object = ConfigSchema&gt;() =&gt; T;</code><br/><code>    }</code> |  |
+|  [env](./kibana-plugin-public.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: Readonly&lt;EnvironmentMode&gt;;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
+|  [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> | A symbol used to identify this plugin in the system. Needed when registering handlers or context providers. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
index 5a77dc154f1cc..10e6b79be4959 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md)
-
-## PluginInitializerContext.opaqueId property
-
-A symbol used to identify this plugin in the system. Needed when registering handlers or context providers.
-
-<b>Signature:</b>
-
-```typescript
-readonly opaqueId: PluginOpaqueId;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md)
+
+## PluginInitializerContext.opaqueId property
+
+A symbol used to identify this plugin in the system. Needed when registering handlers or context providers.
+
+<b>Signature:</b>
+
+```typescript
+readonly opaqueId: PluginOpaqueId;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md b/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
index 54aa8c60f9f6f..8a8202ae1334e 100644
--- a/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
+++ b/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md)
-
-## PluginOpaqueId type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginOpaqueId = symbol;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md)
+
+## PluginOpaqueId type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginOpaqueId = symbol;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.recursivereadonly.md b/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
index 8fe63c4ed838e..fe048494063a0 100644
--- a/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
+++ b/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md)
-
-## RecursiveReadonly type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
-    [K in keyof T]: RecursiveReadonly<T[K]>;
-}> : T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md)
+
+## RecursiveReadonly type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
+    [K in keyof T]: RecursiveReadonly<T[K]>;
+}> : T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
index b619418da8432..0ec57d679920c 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [attributes](./kibana-plugin-public.savedobject.attributes.md)
-
-## SavedObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [attributes](./kibana-plugin-public.savedobject.attributes.md)
+
+## SavedObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.error.md b/docs/development/core/public/kibana-plugin-public.savedobject.error.md
index a085da04d0c71..1d00863ef6ecf 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.error.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.error.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [error](./kibana-plugin-public.savedobject.error.md)
-
-## SavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error?: {
-        message: string;
-        statusCode: number;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [error](./kibana-plugin-public.savedobject.error.md)
+
+## SavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error?: {
+        message: string;
+        statusCode: number;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.id.md b/docs/development/core/public/kibana-plugin-public.savedobject.id.md
index 1e2fc6e8fbc64..7b54e0a7c2a74 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [id](./kibana-plugin-public.savedobject.id.md)
-
-## SavedObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [id](./kibana-plugin-public.savedobject.id.md)
+
+## SavedObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.md b/docs/development/core/public/kibana-plugin-public.savedobject.md
index b1bb3e267bf0e..00260c62dd934 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md)
-
-## SavedObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [error](./kibana-plugin-public.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
-|  [id](./kibana-plugin-public.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-public.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [type](./kibana-plugin-public.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
-|  [updated\_at](./kibana-plugin-public.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
-|  [version](./kibana-plugin-public.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md)
+
+## SavedObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [error](./kibana-plugin-public.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
+|  [id](./kibana-plugin-public.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-public.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [type](./kibana-plugin-public.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
+|  [updated\_at](./kibana-plugin-public.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
+|  [version](./kibana-plugin-public.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
index 98c274df3473c..d07b664f11ff2 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md)
-
-## SavedObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md)
+
+## SavedObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.references.md b/docs/development/core/public/kibana-plugin-public.savedobject.references.md
index 055275fcb48a7..3c3ecdd283b5f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [references](./kibana-plugin-public.savedobject.references.md)
-
-## SavedObject.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [references](./kibana-plugin-public.savedobject.references.md)
+
+## SavedObject.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobject.type.md
index 0f7096ec143f7..2bce5b8a15634 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [type](./kibana-plugin-public.savedobject.type.md)
-
-## SavedObject.type property
-
-The type of Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [type](./kibana-plugin-public.savedobject.type.md)
+
+## SavedObject.type property
+
+The type of Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md b/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
index 0bea6d602a9a0..861128c69ae2a 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [updated\_at](./kibana-plugin-public.savedobject.updated_at.md)
-
-## SavedObject.updated\_at property
-
-Timestamp of the last time this document had been updated.
-
-<b>Signature:</b>
-
-```typescript
-updated_at?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [updated\_at](./kibana-plugin-public.savedobject.updated_at.md)
+
+## SavedObject.updated\_at property
+
+Timestamp of the last time this document had been updated.
+
+<b>Signature:</b>
+
+```typescript
+updated_at?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.version.md b/docs/development/core/public/kibana-plugin-public.savedobject.version.md
index 572d7f7305756..26356f444f2ca 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [version](./kibana-plugin-public.savedobject.version.md)
-
-## SavedObject.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [version](./kibana-plugin-public.savedobject.version.md)
+
+## SavedObject.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md b/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
index 00f8e7216d445..5ce6a60f76c79 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
-
-## SavedObjectAttribute type
-
-Type definition for a Saved Object attribute value
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
+
+## SavedObjectAttribute type
+
+Type definition for a Saved Object attribute value
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
index 54cc3edeb5224..39c02216f4827 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md)
-
-## SavedObjectAttributes interface
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectAttributes 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md)
+
+## SavedObjectAttributes interface
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectAttributes 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md b/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
index a72538a5ee4a9..3f2d70baa64e6 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md)
-
-## SavedObjectAttributeSingle type
-
-Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md)
+
+## SavedObjectAttributeSingle type
+
+Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
index 1bc1f35641df0..27b820607f860 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [id](./kibana-plugin-public.savedobjectreference.id.md)
-
-## SavedObjectReference.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [id](./kibana-plugin-public.savedobjectreference.id.md)
+
+## SavedObjectReference.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
index f6c0d3676f64f..7ae05e24a5d89 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md)
-
-## SavedObjectReference interface
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectReference 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectreference.id.md) | <code>string</code> |  |
-|  [name](./kibana-plugin-public.savedobjectreference.name.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectreference.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md)
+
+## SavedObjectReference interface
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectReference 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectreference.id.md) | <code>string</code> |  |
+|  [name](./kibana-plugin-public.savedobjectreference.name.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectreference.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
index cd39686b09ad7..104a8c313b528 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [name](./kibana-plugin-public.savedobjectreference.name.md)
-
-## SavedObjectReference.name property
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [name](./kibana-plugin-public.savedobjectreference.name.md)
+
+## SavedObjectReference.name property
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
index deba8fe324843..5b55a18becab7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [type](./kibana-plugin-public.savedobjectreference.type.md)
-
-## SavedObjectReference.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [type](./kibana-plugin-public.savedobjectreference.type.md)
+
+## SavedObjectReference.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
index 1fc64405d7702..00ea2fd158291 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md)
-
-## SavedObjectsBaseOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md)
+
+## SavedObjectsBaseOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
index a30b6e9963a74..fb8d0d957a275 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md)
-
-## SavedObjectsBaseOptions.namespace property
-
-Specify the namespace for this operation
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md)
+
+## SavedObjectsBaseOptions.namespace property
+
+Specify the namespace for this operation
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
index 5a08b3f97f429..2ccddb8f71bd6 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md)
-
-## SavedObjectsBatchResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBatchResponse<T extends SavedObjectAttributes = SavedObjectAttributes> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md) | <code>Array&lt;SimpleSavedObject&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md)
+
+## SavedObjectsBatchResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBatchResponse<T extends SavedObjectAttributes = SavedObjectAttributes> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md) | <code>Array&lt;SimpleSavedObject&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
index 7b8e1acb0d9de..f83b6268431c7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) &gt; [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md)
-
-## SavedObjectsBatchResponse.savedObjects property
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: Array<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) &gt; [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md)
+
+## SavedObjectsBatchResponse.savedObjects property
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: Array<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
index f078ec35aa816..e3f7e0d676087 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md)
-
-## SavedObjectsBulkCreateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md)
+
+## SavedObjectsBulkCreateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
index c479e9f9f3e3f..8f95c0533dded 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md)
-
-## SavedObjectsBulkCreateObject interface
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md)
+
+## SavedObjectsBulkCreateObject interface
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
index 3c29e99fa30c3..37497b9178782 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md)
-
-## SavedObjectsBulkCreateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md)
+
+## SavedObjectsBulkCreateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
index 198968f93f7e4..697084d8eee38 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md)
-
-## SavedObjectsBulkCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md)
+
+## SavedObjectsBulkCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
index 0acc51bfdb76b..e3b425da892b2 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md)
-
-## SavedObjectsBulkCreateOptions.overwrite property
-
-If a document with the given `id` already exists, overwrite it's contents (default=false).
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md)
+
+## SavedObjectsBulkCreateOptions.overwrite property
+
+If a document with the given `id` already exists, overwrite it's contents (default=false).
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
index 9dc333d005e8e..235c896532beb 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md)
-
-## SavedObjectsBulkUpdateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md)
+
+## SavedObjectsBulkUpdateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
index 4f253769fc912..8fbece1de7aa1 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md)
-
-## SavedObjectsBulkUpdateObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md)
+
+## SavedObjectsBulkUpdateObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
index ca0eabb265901..91688c01df34c 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md)
-
-## SavedObjectsBulkUpdateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = SavedObjectAttributes> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md) | <code>T</code> |  |
-|  [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md) | <code>string</code> |  |
-|  [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md) | <code>string</code> |  |
-|  [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md)
+
+## SavedObjectsBulkUpdateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = SavedObjectAttributes> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md) | <code>T</code> |  |
+|  [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md) | <code>string</code> |  |
+|  [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md) | <code>string</code> |  |
+|  [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
index fd24cfa13c688..3949eb809c3a0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md)
-
-## SavedObjectsBulkUpdateObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md)
+
+## SavedObjectsBulkUpdateObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
index d0c9b11316b46..b3bd0f7eb2580 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md)
-
-## SavedObjectsBulkUpdateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md)
+
+## SavedObjectsBulkUpdateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
index ab1844430784b..7608bc7aff909 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md)
-
-## SavedObjectsBulkUpdateObject.version property
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md)
+
+## SavedObjectsBulkUpdateObject.version property
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
index d3c29fa40dd30..8a2ecefb73283 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md)
-
-## SavedObjectsBulkUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md)
+
+## SavedObjectsBulkUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
index 2ea3feead9792..0079e56684b75 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md)
-
-## SavedObjectsBulkUpdateOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md)
+
+## SavedObjectsBulkUpdateOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
index 391b2f57205d5..426096d96c9ba 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md)
-
-## SavedObjectsClient.bulkCreate property
-
-Creates multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate: (objects?: SavedObjectsBulkCreateObject<SavedObjectAttributes>[], options?: SavedObjectsBulkCreateOptions) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md)
+
+## SavedObjectsClient.bulkCreate property
+
+Creates multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate: (objects?: SavedObjectsBulkCreateObject<SavedObjectAttributes>[], options?: SavedObjectsBulkCreateOptions) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
index a54dfe72167a7..fc8b3c8258f9c 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md)
-
-## SavedObjectsClient.bulkGet property
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet: (objects?: {
-        id: string;
-        type: string;
-    }[]) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md)
+
+## SavedObjectsClient.bulkGet property
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet: (objects?: {
+        id: string;
+        type: string;
+    }[]) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
index 94ae9bb70ccda..f39638575beb1 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-public.savedobjectsclient.bulkupdate.md)
-
-## SavedObjectsClient.bulkUpdate() method
-
-Update multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes>(objects?: SavedObjectsBulkUpdateObject[]): Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkUpdateObject[]</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>`
-
-The result of the update operation containing both failed and updated saved objects.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-public.savedobjectsclient.bulkupdate.md)
+
+## SavedObjectsClient.bulkUpdate() method
+
+Update multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes>(objects?: SavedObjectsBulkUpdateObject[]): Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkUpdateObject[]</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>`
+
+The result of the update operation containing both failed and updated saved objects.
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
index 5a7666084ea0f..d6366494f0037 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [create](./kibana-plugin-public.savedobjectsclient.create.md)
-
-## SavedObjectsClient.create property
-
-Persists an object
-
-<b>Signature:</b>
-
-```typescript
-create: <T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions) => Promise<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [create](./kibana-plugin-public.savedobjectsclient.create.md)
+
+## SavedObjectsClient.create property
+
+Persists an object
+
+<b>Signature:</b>
+
+```typescript
+create: <T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions) => Promise<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
index 892fd474a1c9f..03658cbd9fcfd 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [delete](./kibana-plugin-public.savedobjectsclient.delete.md)
-
-## SavedObjectsClient.delete property
-
-Deletes an object
-
-<b>Signature:</b>
-
-```typescript
-delete: (type: string, id: string) => Promise<{}>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [delete](./kibana-plugin-public.savedobjectsclient.delete.md)
+
+## SavedObjectsClient.delete property
+
+Deletes an object
+
+<b>Signature:</b>
+
+```typescript
+delete: (type: string, id: string) => Promise<{}>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
index d3494045952ad..a4fa3f17d0d94 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [find](./kibana-plugin-public.savedobjectsclient.find.md)
-
-## SavedObjectsClient.find property
-
-Search for objects
-
-<b>Signature:</b>
-
-```typescript
-find: <T extends SavedObjectAttributes>(options: Pick<SavedObjectFindOptionsServer, "search" | "filter" | "type" | "page" | "perPage" | "sortField" | "fields" | "searchFields" | "hasReference" | "defaultSearchOperator">) => Promise<SavedObjectsFindResponsePublic<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [find](./kibana-plugin-public.savedobjectsclient.find.md)
+
+## SavedObjectsClient.find property
+
+Search for objects
+
+<b>Signature:</b>
+
+```typescript
+find: <T extends SavedObjectAttributes>(options: Pick<SavedObjectFindOptionsServer, "search" | "filter" | "type" | "page" | "perPage" | "sortField" | "fields" | "searchFields" | "hasReference" | "defaultSearchOperator">) => Promise<SavedObjectsFindResponsePublic<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
index bddbadd3e1361..88500f4e3a269 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [get](./kibana-plugin-public.savedobjectsclient.get.md)
-
-## SavedObjectsClient.get property
-
-Fetches a single object
-
-<b>Signature:</b>
-
-```typescript
-get: <T extends SavedObjectAttributes>(type: string, id: string) => Promise<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [get](./kibana-plugin-public.savedobjectsclient.get.md)
+
+## SavedObjectsClient.get property
+
+Fetches a single object
+
+<b>Signature:</b>
+
+```typescript
+get: <T extends SavedObjectAttributes>(type: string, id: string) => Promise<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
index 7aa17eae2da87..88485aa71f7c5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-## SavedObjectsClient class
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects.
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsClient 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md) |  | <code>(objects?: SavedObjectsBulkCreateObject&lt;SavedObjectAttributes&gt;[], options?: SavedObjectsBulkCreateOptions) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Creates multiple documents at once |
-|  [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md) |  | <code>(objects?: {</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }[]) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Returns an array of objects by id |
-|  [create](./kibana-plugin-public.savedobjectsclient.create.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, attributes: T, options?: SavedObjectsCreateOptions) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Persists an object |
-|  [delete](./kibana-plugin-public.savedobjectsclient.delete.md) |  | <code>(type: string, id: string) =&gt; Promise&lt;{}&gt;</code> | Deletes an object |
-|  [find](./kibana-plugin-public.savedobjectsclient.find.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(options: Pick&lt;SavedObjectFindOptionsServer, &quot;search&quot; &#124; &quot;filter&quot; &#124; &quot;type&quot; &#124; &quot;page&quot; &#124; &quot;perPage&quot; &#124; &quot;sortField&quot; &#124; &quot;fields&quot; &#124; &quot;searchFields&quot; &#124; &quot;hasReference&quot; &#124; &quot;defaultSearchOperator&quot;&gt;) =&gt; Promise&lt;SavedObjectsFindResponsePublic&lt;T&gt;&gt;</code> | Search for objects |
-|  [get](./kibana-plugin-public.savedobjectsclient.get.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, id: string) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Fetches a single object |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkUpdate(objects)](./kibana-plugin-public.savedobjectsclient.bulkupdate.md) |  | Update multiple documents at once |
-|  [update(type, id, attributes, { version, migrationVersion, references })](./kibana-plugin-public.savedobjectsclient.update.md) |  | Updates an object |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+## SavedObjectsClient class
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects.
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsClient 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md) |  | <code>(objects?: SavedObjectsBulkCreateObject&lt;SavedObjectAttributes&gt;[], options?: SavedObjectsBulkCreateOptions) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Creates multiple documents at once |
+|  [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md) |  | <code>(objects?: {</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }[]) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Returns an array of objects by id |
+|  [create](./kibana-plugin-public.savedobjectsclient.create.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, attributes: T, options?: SavedObjectsCreateOptions) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Persists an object |
+|  [delete](./kibana-plugin-public.savedobjectsclient.delete.md) |  | <code>(type: string, id: string) =&gt; Promise&lt;{}&gt;</code> | Deletes an object |
+|  [find](./kibana-plugin-public.savedobjectsclient.find.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(options: Pick&lt;SavedObjectFindOptionsServer, &quot;search&quot; &#124; &quot;filter&quot; &#124; &quot;type&quot; &#124; &quot;page&quot; &#124; &quot;perPage&quot; &#124; &quot;sortField&quot; &#124; &quot;fields&quot; &#124; &quot;searchFields&quot; &#124; &quot;hasReference&quot; &#124; &quot;defaultSearchOperator&quot;&gt;) =&gt; Promise&lt;SavedObjectsFindResponsePublic&lt;T&gt;&gt;</code> | Search for objects |
+|  [get](./kibana-plugin-public.savedobjectsclient.get.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, id: string) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Fetches a single object |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkUpdate(objects)](./kibana-plugin-public.savedobjectsclient.bulkupdate.md) |  | Update multiple documents at once |
+|  [update(type, id, attributes, { version, migrationVersion, references })](./kibana-plugin-public.savedobjectsclient.update.md) |  | Updates an object |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
index 9f7e46943bbd5..5f87f46d6206f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [update](./kibana-plugin-public.savedobjectsclient.update.md)
-
-## SavedObjectsClient.update() method
-
-Updates an object
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes>(type: string, id: string, attributes: T, { version, migrationVersion, references }?: SavedObjectsUpdateOptions): Promise<SimpleSavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  { version, migrationVersion, references } | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SimpleSavedObject<T>>`
-
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [update](./kibana-plugin-public.savedobjectsclient.update.md)
+
+## SavedObjectsClient.update() method
+
+Updates an object
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes>(type: string, id: string, attributes: T, { version, migrationVersion, references }?: SavedObjectsUpdateOptions): Promise<SimpleSavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  { version, migrationVersion, references } | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SimpleSavedObject<T>>`
+
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
index fd6dc0745a119..876f3164feec2 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md)
-
-## SavedObjectsClientContract type
-
-SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientContract = PublicMethodsOf<SavedObjectsClient>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md)
+
+## SavedObjectsClientContract type
+
+SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientContract = PublicMethodsOf<SavedObjectsClient>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
index 7d953afda7280..fc0532a10d639 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-public.savedobjectscreateoptions.id.md)
-
-## SavedObjectsCreateOptions.id property
-
-(Not recommended) Specify an id instead of having the saved objects service generate one for you.
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-public.savedobjectscreateoptions.id.md)
+
+## SavedObjectsCreateOptions.id property
+
+(Not recommended) Specify an id instead of having the saved objects service generate one for you.
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
index 0e6f17739d42e..08090c0f8d8c3 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md)
-
-## SavedObjectsCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectscreateoptions.id.md) | <code>string</code> | (Not recommended) Specify an id instead of having the saved objects service generate one for you. |
-|  [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
-|  [references](./kibana-plugin-public.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md)
+
+## SavedObjectsCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectscreateoptions.id.md) | <code>string</code> | (Not recommended) Specify an id instead of having the saved objects service generate one for you. |
+|  [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
+|  [references](./kibana-plugin-public.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
index 6a32b56d644f2..5bc6b62f6680e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md)
-
-## SavedObjectsCreateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md)
+
+## SavedObjectsCreateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
index 7fcac94b45a63..d83541fc9e874 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md)
-
-## SavedObjectsCreateOptions.overwrite property
-
-If a document with the given `id` already exists, overwrite it's contents (default=false).
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md)
+
+## SavedObjectsCreateOptions.overwrite property
+
+If a document with the given `id` already exists, overwrite it's contents (default=false).
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
index d828089e198e4..f6bcd47a3e8d5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectscreateoptions.references.md)
-
-## SavedObjectsCreateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectscreateoptions.references.md)
+
+## SavedObjectsCreateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
index 9f83f4226ede0..181e2bb237c53 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md)
-
-## SavedObjectsFindOptions.defaultSearchOperator property
-
-<b>Signature:</b>
-
-```typescript
-defaultSearchOperator?: 'AND' | 'OR';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md)
+
+## SavedObjectsFindOptions.defaultSearchOperator property
+
+<b>Signature:</b>
+
+```typescript
+defaultSearchOperator?: 'AND' | 'OR';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
index 4c56f06c53dde..20cbf04418222 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md)
-
-## SavedObjectsFindOptions.fields property
-
-An array of fields to include in the results
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
-
-## Example
-
-SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md)
+
+## SavedObjectsFindOptions.fields property
+
+An array of fields to include in the results
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
+
+## Example
+
+SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
index e9b9a472171f1..82237134e0b22 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md)
-
-## SavedObjectsFindOptions.filter property
-
-<b>Signature:</b>
-
-```typescript
-filter?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md)
+
+## SavedObjectsFindOptions.filter property
+
+<b>Signature:</b>
+
+```typescript
+filter?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
index 22548f2ec4288..63f65d22cc33b 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md)
-
-## SavedObjectsFindOptions.hasReference property
-
-<b>Signature:</b>
-
-```typescript
-hasReference?: {
-        type: string;
-        id: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md)
+
+## SavedObjectsFindOptions.hasReference property
+
+<b>Signature:</b>
+
+```typescript
+hasReference?: {
+        type: string;
+        id: string;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
index ad093cf5a38eb..4c916431d4333 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md)
-
-## SavedObjectsFindOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
-|  [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
-|  [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
-|  [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
-|  [page](./kibana-plugin-public.savedobjectsfindoptions.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
-|  [search](./kibana-plugin-public.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
-|  [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
-|  [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
-|  [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md)
+
+## SavedObjectsFindOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
+|  [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
+|  [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
+|  [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
+|  [page](./kibana-plugin-public.savedobjectsfindoptions.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
+|  [search](./kibana-plugin-public.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
+|  [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
+|  [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
+|  [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
index a7d057be73247..982005adb2454 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-public.savedobjectsfindoptions.page.md)
-
-## SavedObjectsFindOptions.page property
-
-<b>Signature:</b>
-
-```typescript
-page?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-public.savedobjectsfindoptions.page.md)
+
+## SavedObjectsFindOptions.page property
+
+<b>Signature:</b>
+
+```typescript
+page?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
index bdb0d4a6129a5..3c61f690d82c0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md)
-
-## SavedObjectsFindOptions.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md)
+
+## SavedObjectsFindOptions.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
index 1a343e8902ad6..f8f95e5329826 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-public.savedobjectsfindoptions.search.md)
-
-## SavedObjectsFindOptions.search property
-
-Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-public.savedobjectsfindoptions.search.md)
+
+## SavedObjectsFindOptions.search property
+
+Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
index c86b69f28758c..5e97ef00b4417 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md)
-
-## SavedObjectsFindOptions.searchFields property
-
-The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-searchFields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md)
+
+## SavedObjectsFindOptions.searchFields property
+
+The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+searchFields?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
index 37585b2eab803..14ab40894cecd 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md)
-
-## SavedObjectsFindOptions.sortField property
-
-<b>Signature:</b>
-
-```typescript
-sortField?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md)
+
+## SavedObjectsFindOptions.sortField property
+
+<b>Signature:</b>
+
+```typescript
+sortField?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
index 78585a6e5aae3..b1e58658c0083 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md)
-
-## SavedObjectsFindOptions.sortOrder property
-
-<b>Signature:</b>
-
-```typescript
-sortOrder?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md)
+
+## SavedObjectsFindOptions.sortOrder property
+
+<b>Signature:</b>
+
+```typescript
+sortOrder?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
index ac8bdc3eaafcf..97db9bc11c1c4 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-public.savedobjectsfindoptions.type.md)
-
-## SavedObjectsFindOptions.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-public.savedobjectsfindoptions.type.md)
+
+## SavedObjectsFindOptions.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string | string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
index f60e7305fba34..61a2daa59f16a 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md)
-
-## SavedObjectsFindResponsePublic interface
-
-Return type of the Saved Objects `find()` method.
-
-\*Note\*: this type is different between the Public and Server Saved Objects clients.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindResponsePublic<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsBatchResponse<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md) | <code>number</code> |  |
-|  [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md)
+
+## SavedObjectsFindResponsePublic interface
+
+Return type of the Saved Objects `find()` method.
+
+\*Note\*: this type is different between the Public and Server Saved Objects clients.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindResponsePublic<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsBatchResponse<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md) | <code>number</code> |  |
+|  [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
index f6ec58ca81171..20e96d1e0df40 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md)
-
-## SavedObjectsFindResponsePublic.page property
-
-<b>Signature:</b>
-
-```typescript
-page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md)
+
+## SavedObjectsFindResponsePublic.page property
+
+<b>Signature:</b>
+
+```typescript
+page: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
index 490e1b9c63bd9..f706f9cb03b26 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md)
-
-## SavedObjectsFindResponsePublic.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md)
+
+## SavedObjectsFindResponsePublic.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
index d2b40951b4693..0a44c73436a2c 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md)
-
-## SavedObjectsFindResponsePublic.total property
-
-<b>Signature:</b>
-
-```typescript
-total: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md)
+
+## SavedObjectsFindResponsePublic.total property
+
+<b>Signature:</b>
+
+```typescript
+total: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
index 07013273f1a54..6becc3d507461 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md)
-
-## SavedObjectsImportConflictError interface
-
-Represents a failure to import due to a conflict.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportConflictError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md)
+
+## SavedObjectsImportConflictError interface
+
+Represents a failure to import due to a conflict.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportConflictError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
index 0151f3e7db5d6..af20cc8fa8df2 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md)
-
-## SavedObjectsImportConflictError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'conflict';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md)
+
+## SavedObjectsImportConflictError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'conflict';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
index f650c949a5713..ece6016e8bf54 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-public.savedobjectsimporterror.error.md)
-
-## SavedObjectsImportError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-public.savedobjectsimporterror.error.md)
+
+## SavedObjectsImportError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
index 6eb20036791ba..995fe61745a00 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-public.savedobjectsimporterror.id.md)
-
-## SavedObjectsImportError.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-public.savedobjectsimporterror.id.md)
+
+## SavedObjectsImportError.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
index beb51cab1b21d..dee8bb1c79a57 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md)
-
-## SavedObjectsImportError interface
-
-Represents a failure to import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
-|  [id](./kibana-plugin-public.savedobjectsimporterror.id.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-public.savedobjectsimporterror.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimporterror.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md)
+
+## SavedObjectsImportError interface
+
+Represents a failure to import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
+|  [id](./kibana-plugin-public.savedobjectsimporterror.id.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-public.savedobjectsimporterror.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimporterror.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
index ef719e349618a..71fa13ad4a5d0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-public.savedobjectsimporterror.title.md)
-
-## SavedObjectsImportError.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-public.savedobjectsimporterror.title.md)
+
+## SavedObjectsImportError.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
index 5b854a805cb31..fe98dc928e5f0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimporterror.type.md)
-
-## SavedObjectsImportError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimporterror.type.md)
+
+## SavedObjectsImportError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
index 8223c30f948d1..76bd6e0939a96 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md)
-
-## SavedObjectsImportMissingReferencesError.blocking property
-
-<b>Signature:</b>
-
-```typescript
-blocking: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md)
+
+## SavedObjectsImportMissingReferencesError.blocking property
+
+<b>Signature:</b>
+
+```typescript
+blocking: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
index 80c17b97047e8..58af9e9be0cc5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md)
-
-## SavedObjectsImportMissingReferencesError interface
-
-Represents a failure to import due to missing references.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportMissingReferencesError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md)
+
+## SavedObjectsImportMissingReferencesError interface
+
+Represents a failure to import due to missing references.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportMissingReferencesError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
index 4a40aa98ca6d0..f1dc3b454f7ed 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md)
-
-## SavedObjectsImportMissingReferencesError.references property
-
-<b>Signature:</b>
-
-```typescript
-references: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md)
+
+## SavedObjectsImportMissingReferencesError.references property
+
+<b>Signature:</b>
+
+```typescript
+references: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
index 62862107c11b4..340b36248d83e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md)
-
-## SavedObjectsImportMissingReferencesError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'missing_references';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md)
+
+## SavedObjectsImportMissingReferencesError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'missing_references';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
index 7bcea02f7ca49..c085fd0f8c3b4 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md)
-
-## SavedObjectsImportResponse.errors property
-
-<b>Signature:</b>
-
-```typescript
-errors?: SavedObjectsImportError[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md)
+
+## SavedObjectsImportResponse.errors property
+
+<b>Signature:</b>
+
+```typescript
+errors?: SavedObjectsImportError[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
index b75f517346195..9733f11fd6b8f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md)
-
-## SavedObjectsImportResponse interface
-
-The response describing the result of an import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
-|  [success](./kibana-plugin-public.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
-|  [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md)
+
+## SavedObjectsImportResponse interface
+
+The response describing the result of an import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
+|  [success](./kibana-plugin-public.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
+|  [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
index b56ce92e7a91e..062b8ce3f7c72 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-public.savedobjectsimportresponse.success.md)
-
-## SavedObjectsImportResponse.success property
-
-<b>Signature:</b>
-
-```typescript
-success: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-public.savedobjectsimportresponse.success.md)
+
+## SavedObjectsImportResponse.success property
+
+<b>Signature:</b>
+
+```typescript
+success: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
index 1d5dc3295a8b5..c2c9385926175 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md)
-
-## SavedObjectsImportResponse.successCount property
-
-<b>Signature:</b>
-
-```typescript
-successCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md)
+
+## SavedObjectsImportResponse.successCount property
+
+<b>Signature:</b>
+
+```typescript
+successCount: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
index 93a983be538f0..2569152f17b15 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-public.savedobjectsimportretry.id.md)
-
-## SavedObjectsImportRetry.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-public.savedobjectsimportretry.id.md)
+
+## SavedObjectsImportRetry.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
index 64021b0e363de..e2cad52f92f2d 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md)
-
-## SavedObjectsImportRetry interface
-
-Describes a retry operation for importing a saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportRetry 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectsimportretry.id.md) | <code>string</code> |  |
-|  [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
-|  [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportretry.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md)
+
+## SavedObjectsImportRetry interface
+
+Describes a retry operation for importing a saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportRetry 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectsimportretry.id.md) | <code>string</code> |  |
+|  [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
+|  [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportretry.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
index 836d33585c0b8..9d1f96b2fcfcf 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md)
-
-## SavedObjectsImportRetry.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md)
+
+## SavedObjectsImportRetry.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
index 35ad49b0cdf97..fe587ef8134cc 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md)
-
-## SavedObjectsImportRetry.replaceReferences property
-
-<b>Signature:</b>
-
-```typescript
-replaceReferences: Array<{
-        type: string;
-        from: string;
-        to: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md)
+
+## SavedObjectsImportRetry.replaceReferences property
+
+<b>Signature:</b>
+
+```typescript
+replaceReferences: Array<{
+        type: string;
+        from: string;
+        to: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
index a7795ca326f33..b84dac102483a 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-public.savedobjectsimportretry.type.md)
-
-## SavedObjectsImportRetry.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-public.savedobjectsimportretry.type.md)
+
+## SavedObjectsImportRetry.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
index cb949bad67045..e683757171787 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md)
-
-## SavedObjectsImportUnknownError interface
-
-Represents a failure to import due to an unknown reason.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnknownError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
-|  [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md)
+
+## SavedObjectsImportUnknownError interface
+
+Represents a failure to import due to an unknown reason.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnknownError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
+|  [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
index 7a775d4ad8be5..976c2817bda0a 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md)
-
-## SavedObjectsImportUnknownError.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md)
+
+## SavedObjectsImportUnknownError.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
index cea023fe577e5..6c7255dd4b631 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md)
-
-## SavedObjectsImportUnknownError.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md)
+
+## SavedObjectsImportUnknownError.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
index 4f533bf6c6347..2ef764d68322e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md)
-
-## SavedObjectsImportUnknownError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unknown';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md)
+
+## SavedObjectsImportUnknownError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unknown';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
index caa7a2729e6a0..09ae53c031352 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md)
-
-## SavedObjectsImportUnsupportedTypeError interface
-
-Represents a failure to import due to having an unsupported saved object type.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnsupportedTypeError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md)
+
+## SavedObjectsImportUnsupportedTypeError interface
+
+Represents a failure to import due to having an unsupported saved object type.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnsupportedTypeError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
index e6d20db043408..55ddf15058fab 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md)
-
-## SavedObjectsImportUnsupportedTypeError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unsupported_type';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md)
+
+## SavedObjectsImportUnsupportedTypeError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unsupported_type';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
index 7a50744acee30..675adb9498c50 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md)
-
-## SavedObjectsMigrationVersion interface
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationVersion 
-```
-
-## Example
-
-migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md)
+
+## SavedObjectsMigrationVersion interface
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationVersion 
+```
+
+## Example
+
+migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
index be4bf6c5c21bf..d3e0da7a414b0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) &gt; [client](./kibana-plugin-public.savedobjectsstart.client.md)
-
-## SavedObjectsStart.client property
-
-[SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-client: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) &gt; [client](./kibana-plugin-public.savedobjectsstart.client.md)
+
+## SavedObjectsStart.client property
+
+[SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+client: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
index a7e69205bcf95..07a70f306cd26 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
-
-## SavedObjectsStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [client](./kibana-plugin-public.savedobjectsstart.client.md) | <code>SavedObjectsClientContract</code> | [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
+
+## SavedObjectsStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [client](./kibana-plugin-public.savedobjectsstart.client.md) | <code>SavedObjectsClientContract</code> | [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
index dc9dc94751607..800a78d65486b 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md)
-
-## SavedObjectsUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md)
+
+## SavedObjectsUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
index 69e8312c1f197..e5fe20acd3994 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md)
-
-## SavedObjectsUpdateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md)
+
+## SavedObjectsUpdateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
index d4f479a634af3..eda84ec8e0bfa 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md)
-
-## SavedObjectsUpdateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md)
+
+## SavedObjectsUpdateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
index 7e0ccf9c2d71f..9aacfa9124016 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md)
-
-## SavedObjectsUpdateOptions.version property
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md)
+
+## SavedObjectsUpdateOptions.version property
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
index f0769c0124d63..ebc7652a0fcf5 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [(constructor)](./kibana-plugin-public.simplesavedobject._constructor_.md)
-
-## SimpleSavedObject.(constructor)
-
-Constructs a new instance of the `SimpleSavedObject` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(client: SavedObjectsClient, { id, type, version, attributes, error, references, migrationVersion }: SavedObjectType<T>);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  client | <code>SavedObjectsClient</code> |  |
-|  { id, type, version, attributes, error, references, migrationVersion } | <code>SavedObjectType&lt;T&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [(constructor)](./kibana-plugin-public.simplesavedobject._constructor_.md)
+
+## SimpleSavedObject.(constructor)
+
+Constructs a new instance of the `SimpleSavedObject` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(client: SavedObjectsClient, { id, type, version, attributes, error, references, migrationVersion }: SavedObjectType<T>);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  client | <code>SavedObjectsClient</code> |  |
+|  { id, type, version, attributes, error, references, migrationVersion } | <code>SavedObjectType&lt;T&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
index d49d4309addd4..7cbe08b8de760 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [\_version](./kibana-plugin-public.simplesavedobject._version.md)
-
-## SimpleSavedObject.\_version property
-
-<b>Signature:</b>
-
-```typescript
-_version?: SavedObjectType<T>['version'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [\_version](./kibana-plugin-public.simplesavedobject._version.md)
+
+## SimpleSavedObject.\_version property
+
+<b>Signature:</b>
+
+```typescript
+_version?: SavedObjectType<T>['version'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
index 00898a0db5c84..1c57136a1952e 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [attributes](./kibana-plugin-public.simplesavedobject.attributes.md)
-
-## SimpleSavedObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [attributes](./kibana-plugin-public.simplesavedobject.attributes.md)
+
+## SimpleSavedObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
index e3ce90bc1d544..8a04acfedec62 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [delete](./kibana-plugin-public.simplesavedobject.delete.md)
-
-## SimpleSavedObject.delete() method
-
-<b>Signature:</b>
-
-```typescript
-delete(): Promise<{}>;
-```
-<b>Returns:</b>
-
-`Promise<{}>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [delete](./kibana-plugin-public.simplesavedobject.delete.md)
+
+## SimpleSavedObject.delete() method
+
+<b>Signature:</b>
+
+```typescript
+delete(): Promise<{}>;
+```
+<b>Returns:</b>
+
+`Promise<{}>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
index 5731b71b52126..0b4f914ac92e8 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [error](./kibana-plugin-public.simplesavedobject.error.md)
-
-## SimpleSavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectType<T>['error'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [error](./kibana-plugin-public.simplesavedobject.error.md)
+
+## SimpleSavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectType<T>['error'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
index 943a23410f6aa..39a899e4a6cd3 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [get](./kibana-plugin-public.simplesavedobject.get.md)
-
-## SimpleSavedObject.get() method
-
-<b>Signature:</b>
-
-```typescript
-get(key: string): any;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`any`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [get](./kibana-plugin-public.simplesavedobject.get.md)
+
+## SimpleSavedObject.get() method
+
+<b>Signature:</b>
+
+```typescript
+get(key: string): any;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`any`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
index dacdcc849635f..5f3019d55c3f6 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [has](./kibana-plugin-public.simplesavedobject.has.md)
-
-## SimpleSavedObject.has() method
-
-<b>Signature:</b>
-
-```typescript
-has(key: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [has](./kibana-plugin-public.simplesavedobject.has.md)
+
+## SimpleSavedObject.has() method
+
+<b>Signature:</b>
+
+```typescript
+has(key: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
index 375c5bd105aa7..ed97976c4100f 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [id](./kibana-plugin-public.simplesavedobject.id.md)
-
-## SimpleSavedObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: SavedObjectType<T>['id'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [id](./kibana-plugin-public.simplesavedobject.id.md)
+
+## SimpleSavedObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: SavedObjectType<T>['id'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
index 1f6de163ec17d..8dc8bdceaeb13 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
@@ -1,44 +1,44 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md)
-
-## SimpleSavedObject class
-
-This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.
-
-It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations.
-
-<b>Signature:</b>
-
-```typescript
-export declare class SimpleSavedObject<T extends SavedObjectAttributes> 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(client, { id, type, version, attributes, error, references, migrationVersion })](./kibana-plugin-public.simplesavedobject._constructor_.md) |  | Constructs a new instance of the <code>SimpleSavedObject</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [\_version](./kibana-plugin-public.simplesavedobject._version.md) |  | <code>SavedObjectType&lt;T&gt;['version']</code> |  |
-|  [attributes](./kibana-plugin-public.simplesavedobject.attributes.md) |  | <code>T</code> |  |
-|  [error](./kibana-plugin-public.simplesavedobject.error.md) |  | <code>SavedObjectType&lt;T&gt;['error']</code> |  |
-|  [id](./kibana-plugin-public.simplesavedobject.id.md) |  | <code>SavedObjectType&lt;T&gt;['id']</code> |  |
-|  [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md) |  | <code>SavedObjectType&lt;T&gt;['migrationVersion']</code> |  |
-|  [references](./kibana-plugin-public.simplesavedobject.references.md) |  | <code>SavedObjectType&lt;T&gt;['references']</code> |  |
-|  [type](./kibana-plugin-public.simplesavedobject.type.md) |  | <code>SavedObjectType&lt;T&gt;['type']</code> |  |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [delete()](./kibana-plugin-public.simplesavedobject.delete.md) |  |  |
-|  [get(key)](./kibana-plugin-public.simplesavedobject.get.md) |  |  |
-|  [has(key)](./kibana-plugin-public.simplesavedobject.has.md) |  |  |
-|  [save()](./kibana-plugin-public.simplesavedobject.save.md) |  |  |
-|  [set(key, value)](./kibana-plugin-public.simplesavedobject.set.md) |  |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md)
+
+## SimpleSavedObject class
+
+This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.
+
+It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations.
+
+<b>Signature:</b>
+
+```typescript
+export declare class SimpleSavedObject<T extends SavedObjectAttributes> 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(client, { id, type, version, attributes, error, references, migrationVersion })](./kibana-plugin-public.simplesavedobject._constructor_.md) |  | Constructs a new instance of the <code>SimpleSavedObject</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [\_version](./kibana-plugin-public.simplesavedobject._version.md) |  | <code>SavedObjectType&lt;T&gt;['version']</code> |  |
+|  [attributes](./kibana-plugin-public.simplesavedobject.attributes.md) |  | <code>T</code> |  |
+|  [error](./kibana-plugin-public.simplesavedobject.error.md) |  | <code>SavedObjectType&lt;T&gt;['error']</code> |  |
+|  [id](./kibana-plugin-public.simplesavedobject.id.md) |  | <code>SavedObjectType&lt;T&gt;['id']</code> |  |
+|  [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md) |  | <code>SavedObjectType&lt;T&gt;['migrationVersion']</code> |  |
+|  [references](./kibana-plugin-public.simplesavedobject.references.md) |  | <code>SavedObjectType&lt;T&gt;['references']</code> |  |
+|  [type](./kibana-plugin-public.simplesavedobject.type.md) |  | <code>SavedObjectType&lt;T&gt;['type']</code> |  |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [delete()](./kibana-plugin-public.simplesavedobject.delete.md) |  |  |
+|  [get(key)](./kibana-plugin-public.simplesavedobject.get.md) |  |  |
+|  [has(key)](./kibana-plugin-public.simplesavedobject.has.md) |  |  |
+|  [save()](./kibana-plugin-public.simplesavedobject.save.md) |  |  |
+|  [set(key, value)](./kibana-plugin-public.simplesavedobject.set.md) |  |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
index e6eafa4a11845..6f7b3af03099d 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md)
-
-## SimpleSavedObject.migrationVersion property
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion: SavedObjectType<T>['migrationVersion'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md)
+
+## SimpleSavedObject.migrationVersion property
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion: SavedObjectType<T>['migrationVersion'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
index b4264a77f8e94..159f855538f62 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [references](./kibana-plugin-public.simplesavedobject.references.md)
-
-## SimpleSavedObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectType<T>['references'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [references](./kibana-plugin-public.simplesavedobject.references.md)
+
+## SimpleSavedObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectType<T>['references'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
index a93b6abfec171..05f8880fbcdd6 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [save](./kibana-plugin-public.simplesavedobject.save.md)
-
-## SimpleSavedObject.save() method
-
-<b>Signature:</b>
-
-```typescript
-save(): Promise<SimpleSavedObject<T>>;
-```
-<b>Returns:</b>
-
-`Promise<SimpleSavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [save](./kibana-plugin-public.simplesavedobject.save.md)
+
+## SimpleSavedObject.save() method
+
+<b>Signature:</b>
+
+```typescript
+save(): Promise<SimpleSavedObject<T>>;
+```
+<b>Returns:</b>
+
+`Promise<SimpleSavedObject<T>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
index e37b03e279a12..ce3f9c5919d7c 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [set](./kibana-plugin-public.simplesavedobject.set.md)
-
-## SimpleSavedObject.set() method
-
-<b>Signature:</b>
-
-```typescript
-set(key: string, value: any): T;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-|  value | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`T`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [set](./kibana-plugin-public.simplesavedobject.set.md)
+
+## SimpleSavedObject.set() method
+
+<b>Signature:</b>
+
+```typescript
+set(key: string, value: any): T;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+|  value | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`T`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
index 5a8b8057460d3..b004c70013d6d 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [type](./kibana-plugin-public.simplesavedobject.type.md)
-
-## SimpleSavedObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: SavedObjectType<T>['type'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [type](./kibana-plugin-public.simplesavedobject.type.md)
+
+## SimpleSavedObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: SavedObjectType<T>['type'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidation.md b/docs/development/core/public/kibana-plugin-public.stringvalidation.md
index 542836c0ba99e..bf01e857d262a 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidation.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidation](./kibana-plugin-public.stringvalidation.md)
-
-## StringValidation type
-
-Allows regex objects or a regex string
-
-<b>Signature:</b>
-
-```typescript
-export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidation](./kibana-plugin-public.stringvalidation.md)
+
+## StringValidation type
+
+Allows regex objects or a regex string
+
+<b>Signature:</b>
+
+```typescript
+export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
index e568d9fc035da..a60a7bbf742c8 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md)
-
-## StringValidationRegex interface
-
-StringValidation with regex object
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegex 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.stringvalidationregex.message.md) | <code>string</code> |  |
-|  [regex](./kibana-plugin-public.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md)
+
+## StringValidationRegex interface
+
+StringValidation with regex object
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegex 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.stringvalidationregex.message.md) | <code>string</code> |  |
+|  [regex](./kibana-plugin-public.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
index 27e11eedb3599..dae94ae08bde5 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [message](./kibana-plugin-public.stringvalidationregex.message.md)
-
-## StringValidationRegex.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [message](./kibana-plugin-public.stringvalidationregex.message.md)
+
+## StringValidationRegex.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
index fc3a6d96108c4..db7a1fca75aae 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [regex](./kibana-plugin-public.stringvalidationregex.regex.md)
-
-## StringValidationRegex.regex property
-
-<b>Signature:</b>
-
-```typescript
-regex: RegExp;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [regex](./kibana-plugin-public.stringvalidationregex.regex.md)
+
+## StringValidationRegex.regex property
+
+<b>Signature:</b>
+
+```typescript
+regex: RegExp;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
index 7aa7edf0ac9f0..f64e65122d9d1 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md)
-
-## StringValidationRegexString interface
-
-StringValidation as regex string
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegexString 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.stringvalidationregexstring.message.md) | <code>string</code> |  |
-|  [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md)
+
+## StringValidationRegexString interface
+
+StringValidation as regex string
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegexString 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.stringvalidationregexstring.message.md) | <code>string</code> |  |
+|  [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
index 109dea29084ac..6d844e8dd970f 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-public.stringvalidationregexstring.message.md)
-
-## StringValidationRegexString.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-public.stringvalidationregexstring.message.md)
+
+## StringValidationRegexString.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
index 6e7a23e4cc11f..b779f113f3bbc 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md)
-
-## StringValidationRegexString.regexString property
-
-<b>Signature:</b>
-
-```typescript
-regexString: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md)
+
+## StringValidationRegexString.regexString property
+
+<b>Signature:</b>
+
+```typescript
+regexString: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toast.md b/docs/development/core/public/kibana-plugin-public.toast.md
index 7cbbf4b3c00fa..0cbbf29df073a 100644
--- a/docs/development/core/public/kibana-plugin-public.toast.md
+++ b/docs/development/core/public/kibana-plugin-public.toast.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Toast](./kibana-plugin-public.toast.md)
-
-## Toast type
-
-<b>Signature:</b>
-
-```typescript
-export declare type Toast = ToastInputFields & {
-    id: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Toast](./kibana-plugin-public.toast.md)
+
+## Toast type
+
+<b>Signature:</b>
+
+```typescript
+export declare type Toast = ToastInputFields & {
+    id: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastinput.md b/docs/development/core/public/kibana-plugin-public.toastinput.md
index 425d734075469..9dd20b5899f3a 100644
--- a/docs/development/core/public/kibana-plugin-public.toastinput.md
+++ b/docs/development/core/public/kibana-plugin-public.toastinput.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInput](./kibana-plugin-public.toastinput.md)
-
-## ToastInput type
-
-Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastInput = string | ToastInputFields;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInput](./kibana-plugin-public.toastinput.md)
+
+## ToastInput type
+
+Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastInput = string | ToastInputFields;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastinputfields.md b/docs/development/core/public/kibana-plugin-public.toastinputfields.md
index a8b890e3c3973..3a6bc3a5e45da 100644
--- a/docs/development/core/public/kibana-plugin-public.toastinputfields.md
+++ b/docs/development/core/public/kibana-plugin-public.toastinputfields.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInputFields](./kibana-plugin-public.toastinputfields.md)
-
-## ToastInputFields type
-
-Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastInputFields = Pick<EuiToast, Exclude<keyof EuiToast, 'id' | 'text' | 'title'>> & {
-    title?: string | MountPoint;
-    text?: string | MountPoint;
-};
-```
-
-## Remarks
-
-`id` cannot be specified.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInputFields](./kibana-plugin-public.toastinputfields.md)
+
+## ToastInputFields type
+
+Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastInputFields = Pick<EuiToast, Exclude<keyof EuiToast, 'id' | 'text' | 'title'>> & {
+    title?: string | MountPoint;
+    text?: string | MountPoint;
+};
+```
+
+## Remarks
+
+`id` cannot be specified.
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md b/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
index 66f41a6ed38c6..2b5ce41de8ece 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [(constructor)](./kibana-plugin-public.toastsapi._constructor_.md)
-
-## ToastsApi.(constructor)
-
-Constructs a new instance of the `ToastsApi` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(deps: {
-        uiSettings: IUiSettingsClient;
-    });
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  deps | <code>{</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [(constructor)](./kibana-plugin-public.toastsapi._constructor_.md)
+
+## ToastsApi.(constructor)
+
+Constructs a new instance of the `ToastsApi` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(deps: {
+        uiSettings: IUiSettingsClient;
+    });
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  deps | <code>{</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.add.md b/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
index 3d3213739e30b..6b651b310e974 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [add](./kibana-plugin-public.toastsapi.add.md)
-
-## ToastsApi.add() method
-
-Adds a new toast to current array of toast.
-
-<b>Signature:</b>
-
-```typescript
-add(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [add](./kibana-plugin-public.toastsapi.add.md)
+
+## ToastsApi.add() method
+
+Adds a new toast to current array of toast.
+
+<b>Signature:</b>
+
+```typescript
+add(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md b/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
index 07bca25cba8c8..67ebad919ed2a 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addDanger](./kibana-plugin-public.toastsapi.adddanger.md)
-
-## ToastsApi.addDanger() method
-
-Adds a new toast pre-configured with the danger color and alert icon.
-
-<b>Signature:</b>
-
-```typescript
-addDanger(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addDanger](./kibana-plugin-public.toastsapi.adddanger.md)
+
+## ToastsApi.addDanger() method
+
+Adds a new toast pre-configured with the danger color and alert icon.
+
+<b>Signature:</b>
+
+```typescript
+addDanger(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md b/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
index 18455fef9d343..39090fb8f1bbe 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addError](./kibana-plugin-public.toastsapi.adderror.md)
-
-## ToastsApi.addError() method
-
-Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal.
-
-<b>Signature:</b>
-
-```typescript
-addError(error: Error, options: ErrorToastOptions): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> | an <code>Error</code> instance. |
-|  options | <code>ErrorToastOptions</code> | [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addError](./kibana-plugin-public.toastsapi.adderror.md)
+
+## ToastsApi.addError() method
+
+Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal.
+
+<b>Signature:</b>
+
+```typescript
+addError(error: Error, options: ErrorToastOptions): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> | an <code>Error</code> instance. |
+|  options | <code>ErrorToastOptions</code> | [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md b/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
index b6a9bfb035602..ce9a9a2fae691 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addSuccess](./kibana-plugin-public.toastsapi.addsuccess.md)
-
-## ToastsApi.addSuccess() method
-
-Adds a new toast pre-configured with the success color and check icon.
-
-<b>Signature:</b>
-
-```typescript
-addSuccess(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addSuccess](./kibana-plugin-public.toastsapi.addsuccess.md)
+
+## ToastsApi.addSuccess() method
+
+Adds a new toast pre-configured with the success color and check icon.
+
+<b>Signature:</b>
+
+```typescript
+addSuccess(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md b/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
index 47de96959c688..948181f825763 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addWarning](./kibana-plugin-public.toastsapi.addwarning.md)
-
-## ToastsApi.addWarning() method
-
-Adds a new toast pre-configured with the warning color and help icon.
-
-<b>Signature:</b>
-
-```typescript
-addWarning(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addWarning](./kibana-plugin-public.toastsapi.addwarning.md)
+
+## ToastsApi.addWarning() method
+
+Adds a new toast pre-configured with the warning color and help icon.
+
+<b>Signature:</b>
+
+```typescript
+addWarning(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md b/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
index 7ae933f751bd0..48e4fdc7a2ec0 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [get$](./kibana-plugin-public.toastsapi.get_.md)
-
-## ToastsApi.get$() method
-
-Observable of the toast messages to show to the user.
-
-<b>Signature:</b>
-
-```typescript
-get$(): Rx.Observable<Toast[]>;
-```
-<b>Returns:</b>
-
-`Rx.Observable<Toast[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [get$](./kibana-plugin-public.toastsapi.get_.md)
+
+## ToastsApi.get$() method
+
+Observable of the toast messages to show to the user.
+
+<b>Signature:</b>
+
+```typescript
+get$(): Rx.Observable<Toast[]>;
+```
+<b>Returns:</b>
+
+`Rx.Observable<Toast[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.md b/docs/development/core/public/kibana-plugin-public.toastsapi.md
index c69e9b4b8e456..ae4a2de9fc75c 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md)
-
-## ToastsApi class
-
-Methods for adding and removing global toast messages.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ToastsApi implements IToasts 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(deps)](./kibana-plugin-public.toastsapi._constructor_.md) |  | Constructs a new instance of the <code>ToastsApi</code> class |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [add(toastOrTitle)](./kibana-plugin-public.toastsapi.add.md) |  | Adds a new toast to current array of toast. |
-|  [addDanger(toastOrTitle)](./kibana-plugin-public.toastsapi.adddanger.md) |  | Adds a new toast pre-configured with the danger color and alert icon. |
-|  [addError(error, options)](./kibana-plugin-public.toastsapi.adderror.md) |  | Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal. |
-|  [addSuccess(toastOrTitle)](./kibana-plugin-public.toastsapi.addsuccess.md) |  | Adds a new toast pre-configured with the success color and check icon. |
-|  [addWarning(toastOrTitle)](./kibana-plugin-public.toastsapi.addwarning.md) |  | Adds a new toast pre-configured with the warning color and help icon. |
-|  [get$()](./kibana-plugin-public.toastsapi.get_.md) |  | Observable of the toast messages to show to the user. |
-|  [remove(toastOrId)](./kibana-plugin-public.toastsapi.remove.md) |  | Removes a toast from the current array of toasts if present. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md)
+
+## ToastsApi class
+
+Methods for adding and removing global toast messages.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ToastsApi implements IToasts 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(deps)](./kibana-plugin-public.toastsapi._constructor_.md) |  | Constructs a new instance of the <code>ToastsApi</code> class |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [add(toastOrTitle)](./kibana-plugin-public.toastsapi.add.md) |  | Adds a new toast to current array of toast. |
+|  [addDanger(toastOrTitle)](./kibana-plugin-public.toastsapi.adddanger.md) |  | Adds a new toast pre-configured with the danger color and alert icon. |
+|  [addError(error, options)](./kibana-plugin-public.toastsapi.adderror.md) |  | Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal. |
+|  [addSuccess(toastOrTitle)](./kibana-plugin-public.toastsapi.addsuccess.md) |  | Adds a new toast pre-configured with the success color and check icon. |
+|  [addWarning(toastOrTitle)](./kibana-plugin-public.toastsapi.addwarning.md) |  | Adds a new toast pre-configured with the warning color and help icon. |
+|  [get$()](./kibana-plugin-public.toastsapi.get_.md) |  | Observable of the toast messages to show to the user. |
+|  [remove(toastOrId)](./kibana-plugin-public.toastsapi.remove.md) |  | Removes a toast from the current array of toasts if present. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md b/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
index 6f1323a4b0de0..9f27041175207 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [remove](./kibana-plugin-public.toastsapi.remove.md)
-
-## ToastsApi.remove() method
-
-Removes a toast from the current array of toasts if present.
-
-<b>Signature:</b>
-
-```typescript
-remove(toastOrId: Toast | string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrId | <code>Toast &#124; string</code> | a [Toast](./kibana-plugin-public.toast.md) returned by [ToastsApi.add()](./kibana-plugin-public.toastsapi.add.md) or its id |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [remove](./kibana-plugin-public.toastsapi.remove.md)
+
+## ToastsApi.remove() method
+
+Removes a toast from the current array of toasts if present.
+
+<b>Signature:</b>
+
+```typescript
+remove(toastOrId: Toast | string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrId | <code>Toast &#124; string</code> | a [Toast](./kibana-plugin-public.toast.md) returned by [ToastsApi.add()](./kibana-plugin-public.toastsapi.add.md) or its id |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastssetup.md b/docs/development/core/public/kibana-plugin-public.toastssetup.md
index ab3d7c45f3ce9..e06dd7f7093bb 100644
--- a/docs/development/core/public/kibana-plugin-public.toastssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.toastssetup.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsSetup](./kibana-plugin-public.toastssetup.md)
-
-## ToastsSetup type
-
-[IToasts](./kibana-plugin-public.itoasts.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastsSetup = IToasts;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsSetup](./kibana-plugin-public.toastssetup.md)
+
+## ToastsSetup type
+
+[IToasts](./kibana-plugin-public.itoasts.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastsSetup = IToasts;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastsstart.md b/docs/development/core/public/kibana-plugin-public.toastsstart.md
index 3f8f27bd558b3..6e090dcdc64fb 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsStart](./kibana-plugin-public.toastsstart.md)
-
-## ToastsStart type
-
-[IToasts](./kibana-plugin-public.itoasts.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastsStart = IToasts;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsStart](./kibana-plugin-public.toastsstart.md)
+
+## ToastsStart type
+
+[IToasts](./kibana-plugin-public.itoasts.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastsStart = IToasts;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
index c94a5ea4d4f9e..859b25cab4be8 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [category](./kibana-plugin-public.uisettingsparams.category.md)
-
-## UiSettingsParams.category property
-
-used to group the configured setting in the UI
-
-<b>Signature:</b>
-
-```typescript
-category?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [category](./kibana-plugin-public.uisettingsparams.category.md)
+
+## UiSettingsParams.category property
+
+used to group the configured setting in the UI
+
+<b>Signature:</b>
+
+```typescript
+category?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
index 928ba87ce8621..2364d34bdb8a3 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md)
-
-## UiSettingsParams.deprecation property
-
-optional deprecation information. Used to generate a deprecation warning.
-
-<b>Signature:</b>
-
-```typescript
-deprecation?: DeprecationSettings;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md)
+
+## UiSettingsParams.deprecation property
+
+optional deprecation information. Used to generate a deprecation warning.
+
+<b>Signature:</b>
+
+```typescript
+deprecation?: DeprecationSettings;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
index 13c7fb25411d0..2707c0a456d96 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [description](./kibana-plugin-public.uisettingsparams.description.md)
-
-## UiSettingsParams.description property
-
-description provided to a user in UI
-
-<b>Signature:</b>
-
-```typescript
-description?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [description](./kibana-plugin-public.uisettingsparams.description.md)
+
+## UiSettingsParams.description property
+
+description provided to a user in UI
+
+<b>Signature:</b>
+
+```typescript
+description?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
index 6a368a6ae328c..d8a966d3e69bf 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md)
-
-## UiSettingsParams interface
-
-UiSettings parameters defined by the plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-public.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
-|  [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
-|  [description](./kibana-plugin-public.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
-|  [name](./kibana-plugin-public.uisettingsparams.name.md) | <code>string</code> | title in the UI |
-|  [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
-|  [options](./kibana-plugin-public.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
-|  [readonly](./kibana-plugin-public.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
-|  [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
-|  [type](./kibana-plugin-public.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md) |
-|  [validation](./kibana-plugin-public.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
-|  [value](./kibana-plugin-public.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md)
+
+## UiSettingsParams interface
+
+UiSettings parameters defined by the plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-public.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
+|  [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
+|  [description](./kibana-plugin-public.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
+|  [name](./kibana-plugin-public.uisettingsparams.name.md) | <code>string</code> | title in the UI |
+|  [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
+|  [options](./kibana-plugin-public.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
+|  [readonly](./kibana-plugin-public.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
+|  [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
+|  [type](./kibana-plugin-public.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md) |
+|  [validation](./kibana-plugin-public.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
+|  [value](./kibana-plugin-public.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
+
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
index 91b13e8592129..4397c06c02c3d 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [name](./kibana-plugin-public.uisettingsparams.name.md)
-
-## UiSettingsParams.name property
-
-title in the UI
-
-<b>Signature:</b>
-
-```typescript
-name?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [name](./kibana-plugin-public.uisettingsparams.name.md)
+
+## UiSettingsParams.name property
+
+title in the UI
+
+<b>Signature:</b>
+
+```typescript
+name?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
index c2eb182308072..e6e320ae8b09f 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md)
-
-## UiSettingsParams.optionLabels property
-
-text labels for 'select' type UI element
-
-<b>Signature:</b>
-
-```typescript
-optionLabels?: Record<string, string>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md)
+
+## UiSettingsParams.optionLabels property
+
+text labels for 'select' type UI element
+
+<b>Signature:</b>
+
+```typescript
+optionLabels?: Record<string, string>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
index e3958027f42c9..e1a637281b44e 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [options](./kibana-plugin-public.uisettingsparams.options.md)
-
-## UiSettingsParams.options property
-
-array of permitted values for this setting
-
-<b>Signature:</b>
-
-```typescript
-options?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [options](./kibana-plugin-public.uisettingsparams.options.md)
+
+## UiSettingsParams.options property
+
+array of permitted values for this setting
+
+<b>Signature:</b>
+
+```typescript
+options?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
index 6efd2d557b7f0..92fcb5eae5232 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [readonly](./kibana-plugin-public.uisettingsparams.readonly.md)
-
-## UiSettingsParams.readonly property
-
-a flag indicating that value cannot be changed
-
-<b>Signature:</b>
-
-```typescript
-readonly?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [readonly](./kibana-plugin-public.uisettingsparams.readonly.md)
+
+## UiSettingsParams.readonly property
+
+a flag indicating that value cannot be changed
+
+<b>Signature:</b>
+
+```typescript
+readonly?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
index 0389b56d8e259..7d4994208ff1f 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md)
-
-## UiSettingsParams.requiresPageReload property
-
-a flag indicating whether new value applying requires page reloading
-
-<b>Signature:</b>
-
-```typescript
-requiresPageReload?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md)
+
+## UiSettingsParams.requiresPageReload property
+
+a flag indicating whether new value applying requires page reloading
+
+<b>Signature:</b>
+
+```typescript
+requiresPageReload?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
index f3b20c90271a3..e75dbce413ece 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [type](./kibana-plugin-public.uisettingsparams.type.md)
-
-## UiSettingsParams.type property
-
-defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
-
-<b>Signature:</b>
-
-```typescript
-type?: UiSettingsType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [type](./kibana-plugin-public.uisettingsparams.type.md)
+
+## UiSettingsParams.type property
+
+defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
+
+<b>Signature:</b>
+
+```typescript
+type?: UiSettingsType;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
index c2202d07c6245..21b1de399a332 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [validation](./kibana-plugin-public.uisettingsparams.validation.md)
-
-## UiSettingsParams.validation property
-
-<b>Signature:</b>
-
-```typescript
-validation?: ImageValidation | StringValidation;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [validation](./kibana-plugin-public.uisettingsparams.validation.md)
+
+## UiSettingsParams.validation property
+
+<b>Signature:</b>
+
+```typescript
+validation?: ImageValidation | StringValidation;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
index 31850514e03a7..d489b4567ded0 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [value](./kibana-plugin-public.uisettingsparams.value.md)
-
-## UiSettingsParams.value property
-
-default value to fall back to if a user doesn't provide any
-
-<b>Signature:</b>
-
-```typescript
-value?: SavedObjectAttribute;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [value](./kibana-plugin-public.uisettingsparams.value.md)
+
+## UiSettingsParams.value property
+
+default value to fall back to if a user doesn't provide any
+
+<b>Signature:</b>
+
+```typescript
+value?: SavedObjectAttribute;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsstate.md b/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
index f2b147b3e1a27..4754898f05cb0 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsState](./kibana-plugin-public.uisettingsstate.md)
-
-## UiSettingsState interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsState 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsState](./kibana-plugin-public.uisettingsstate.md)
+
+## UiSettingsState interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsState 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingstype.md b/docs/development/core/public/kibana-plugin-public.uisettingstype.md
index d449236fe92d9..cb58152bd093e 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingstype.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingstype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
-
-## UiSettingsType type
-
-UI element type to represent the settings.
-
-<b>Signature:</b>
-
-```typescript
-export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
+
+## UiSettingsType type
+
+UI element type to represent the settings.
+
+<b>Signature:</b>
+
+```typescript
+export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.unmountcallback.md b/docs/development/core/public/kibana-plugin-public.unmountcallback.md
index b533358741723..f44562120c9ee 100644
--- a/docs/development/core/public/kibana-plugin-public.unmountcallback.md
+++ b/docs/development/core/public/kibana-plugin-public.unmountcallback.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UnmountCallback](./kibana-plugin-public.unmountcallback.md)
-
-## UnmountCallback type
-
-A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type UnmountCallback = () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UnmountCallback](./kibana-plugin-public.unmountcallback.md)
+
+## UnmountCallback type
+
+A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type UnmountCallback = () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
index 75467967d9924..f62ca61ba9142 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md)
-
-## UserProvidedValues.isOverridden property
-
-<b>Signature:</b>
-
-```typescript
-isOverridden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md)
+
+## UserProvidedValues.isOverridden property
+
+<b>Signature:</b>
+
+```typescript
+isOverridden?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
index 1c23c4d7a4b62..481bd36dd0ea6 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md)
-
-## UserProvidedValues interface
-
-Describes the values explicitly set by user.
-
-<b>Signature:</b>
-
-```typescript
-export interface UserProvidedValues<T = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
-|  [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md) | <code>T</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md)
+
+## UserProvidedValues interface
+
+Describes the values explicitly set by user.
+
+<b>Signature:</b>
+
+```typescript
+export interface UserProvidedValues<T = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
+|  [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md) | <code>T</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
index 1f7121177b07e..132409ad989b1 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md)
-
-## UserProvidedValues.userValue property
-
-<b>Signature:</b>
-
-```typescript
-userValue?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md)
+
+## UserProvidedValues.userValue property
+
+<b>Signature:</b>
+
+```typescript
+userValue?: T;
+```
diff --git a/docs/development/core/server/index.md b/docs/development/core/server/index.md
index 2d8eb26a689c6..da1d76853f43d 100644
--- a/docs/development/core/server/index.md
+++ b/docs/development/core/server/index.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md)
-
-## API Reference
-
-## Packages
-
-|  Package | Description |
-|  --- | --- |
-|  [kibana-plugin-server](./kibana-plugin-server.md) | The Kibana Core APIs for server-side plugins.<!-- -->A plugin requires a <code>kibana.json</code> file at it's root directory that follows  to define static plugin information required to load the plugin.<!-- -->A plugin's <code>server/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md)
+
+## API Reference
+
+## Packages
+
+|  Package | Description |
+|  --- | --- |
+|  [kibana-plugin-server](./kibana-plugin-server.md) | The Kibana Core APIs for server-side plugins.<!-- -->A plugin requires a <code>kibana.json</code> file at it's root directory that follows  to define static plugin information required to load the plugin.<!-- -->A plugin's <code>server/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.apicaller.md b/docs/development/core/server/kibana-plugin-server.apicaller.md
index 4e22a702ecbbe..9fd50ea5c4b66 100644
--- a/docs/development/core/server/kibana-plugin-server.apicaller.md
+++ b/docs/development/core/server/kibana-plugin-server.apicaller.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [APICaller](./kibana-plugin-server.apicaller.md)
-
-## APICaller interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface APICaller 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [APICaller](./kibana-plugin-server.apicaller.md)
+
+## APICaller interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface APICaller 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
index 6777ab6caeca2..307cd3bb5ae21 100644
--- a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
+++ b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) &gt; [indices](./kibana-plugin-server.assistanceapiresponse.indices.md)
-
-## AssistanceAPIResponse.indices property
-
-<b>Signature:</b>
-
-```typescript
-indices: {
-        [indexName: string]: {
-            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) &gt; [indices](./kibana-plugin-server.assistanceapiresponse.indices.md)
+
+## AssistanceAPIResponse.indices property
+
+<b>Signature:</b>
+
+```typescript
+indices: {
+        [indexName: string]: {
+            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;
+        };
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
index 9322b4c75837c..398fe62ce2479 100644
--- a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md)
-
-## AssistanceAPIResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AssistanceAPIResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [indices](./kibana-plugin-server.assistanceapiresponse.indices.md) | <code>{</code><br/><code>        [indexName: string]: {</code><br/><code>            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;</code><br/><code>        };</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md)
+
+## AssistanceAPIResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AssistanceAPIResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [indices](./kibana-plugin-server.assistanceapiresponse.indices.md) | <code>{</code><br/><code>        [indexName: string]: {</code><br/><code>            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;</code><br/><code>        };</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
index c37d47f0c4963..cf7ca56c8a75e 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md)
-
-## AssistantAPIClientParams interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AssistantAPIClientParams extends GenericParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.assistantapiclientparams.method.md) | <code>'GET'</code> |  |
-|  [path](./kibana-plugin-server.assistantapiclientparams.path.md) | <code>'/_migration/assistance'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md)
+
+## AssistantAPIClientParams interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AssistantAPIClientParams extends GenericParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.assistantapiclientparams.method.md) | <code>'GET'</code> |  |
+|  [path](./kibana-plugin-server.assistantapiclientparams.path.md) | <code>'/_migration/assistance'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
index 6929bf9ab3d1c..feeb4403ca0a3 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [method](./kibana-plugin-server.assistantapiclientparams.method.md)
-
-## AssistantAPIClientParams.method property
-
-<b>Signature:</b>
-
-```typescript
-method: 'GET';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [method](./kibana-plugin-server.assistantapiclientparams.method.md)
+
+## AssistantAPIClientParams.method property
+
+<b>Signature:</b>
+
+```typescript
+method: 'GET';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
index 4889f41d613eb..3b82c477993e0 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [path](./kibana-plugin-server.assistantapiclientparams.path.md)
-
-## AssistantAPIClientParams.path property
-
-<b>Signature:</b>
-
-```typescript
-path: '/_migration/assistance';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [path](./kibana-plugin-server.assistantapiclientparams.path.md)
+
+## AssistantAPIClientParams.path property
+
+<b>Signature:</b>
+
+```typescript
+path: '/_migration/assistance';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authenticated.md b/docs/development/core/server/kibana-plugin-server.authenticated.md
index aeb526bc3552b..d955f1f32f1f7 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticated.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md)
-
-## Authenticated interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface Authenticated extends AuthResultParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.authenticated.type.md) | <code>AuthResultType.authenticated</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md)
+
+## Authenticated interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface Authenticated extends AuthResultParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.authenticated.type.md) | <code>AuthResultType.authenticated</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authenticated.type.md b/docs/development/core/server/kibana-plugin-server.authenticated.type.md
index a432fad9d5730..08a73e812d157 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticated.type.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticated.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md) &gt; [type](./kibana-plugin-server.authenticated.type.md)
-
-## Authenticated.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AuthResultType.authenticated;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md) &gt; [type](./kibana-plugin-server.authenticated.type.md)
+
+## Authenticated.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AuthResultType.authenticated;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authenticationhandler.md b/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
index ed5eb6bc5e36d..ff60e6e811ed6 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)
-
-## AuthenticationHandler type
-
-See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthenticationHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: AuthToolkit) => AuthResult | IKibanaResponse | Promise<AuthResult | IKibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)
+
+## AuthenticationHandler type
+
+See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthenticationHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: AuthToolkit) => AuthResult | IKibanaResponse | Promise<AuthResult | IKibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authheaders.md b/docs/development/core/server/kibana-plugin-server.authheaders.md
index 7540157926edc..bdb7cda2fa304 100644
--- a/docs/development/core/server/kibana-plugin-server.authheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthHeaders](./kibana-plugin-server.authheaders.md)
-
-## AuthHeaders type
-
-Auth Headers map
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthHeaders = Record<string, string | string[]>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthHeaders](./kibana-plugin-server.authheaders.md)
+
+## AuthHeaders type
+
+Auth Headers map
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthHeaders = Record<string, string | string[]>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresult.md b/docs/development/core/server/kibana-plugin-server.authresult.md
index 8739c4899bd02..5d1bdbc8e7118 100644
--- a/docs/development/core/server/kibana-plugin-server.authresult.md
+++ b/docs/development/core/server/kibana-plugin-server.authresult.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResult](./kibana-plugin-server.authresult.md)
-
-## AuthResult type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthResult = Authenticated;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResult](./kibana-plugin-server.authresult.md)
+
+## AuthResult type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthResult = Authenticated;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.md b/docs/development/core/server/kibana-plugin-server.authresultparams.md
index 55b247f21f5a9..b098fe278d850 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md)
-
-## AuthResultParams interface
-
-Result of an incoming request authentication.
-
-<b>Signature:</b>
-
-```typescript
-export interface AuthResultParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user. |
-|  [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed. |
-|  [state](./kibana-plugin-server.authresultparams.state.md) | <code>Record&lt;string, any&gt;</code> | Data to associate with an incoming request. Any downstream plugin may get access to the data. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md)
+
+## AuthResultParams interface
+
+Result of an incoming request authentication.
+
+<b>Signature:</b>
+
+```typescript
+export interface AuthResultParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user. |
+|  [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed. |
+|  [state](./kibana-plugin-server.authresultparams.state.md) | <code>Record&lt;string, any&gt;</code> | Data to associate with an incoming request. Any downstream plugin may get access to the data. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md b/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
index a30f630de27cc..0fda032b64f98 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md)
-
-## AuthResultParams.requestHeaders property
-
-Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user.
-
-<b>Signature:</b>
-
-```typescript
-requestHeaders?: AuthHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md)
+
+## AuthResultParams.requestHeaders property
+
+Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user.
+
+<b>Signature:</b>
+
+```typescript
+requestHeaders?: AuthHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md b/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
index 112c1277bbbed..c14feb25801d1 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md)
-
-## AuthResultParams.responseHeaders property
-
-Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed.
-
-<b>Signature:</b>
-
-```typescript
-responseHeaders?: AuthHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md)
+
+## AuthResultParams.responseHeaders property
+
+Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed.
+
+<b>Signature:</b>
+
+```typescript
+responseHeaders?: AuthHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.state.md b/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
index 085cbe0c3c3fa..8ca3da20a9c22 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [state](./kibana-plugin-server.authresultparams.state.md)
-
-## AuthResultParams.state property
-
-Data to associate with an incoming request. Any downstream plugin may get access to the data.
-
-<b>Signature:</b>
-
-```typescript
-state?: Record<string, any>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [state](./kibana-plugin-server.authresultparams.state.md)
+
+## AuthResultParams.state property
+
+Data to associate with an incoming request. Any downstream plugin may get access to the data.
+
+<b>Signature:</b>
+
+```typescript
+state?: Record<string, any>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresulttype.md b/docs/development/core/server/kibana-plugin-server.authresulttype.md
index 61a98ee5e7b11..e8962cb14d198 100644
--- a/docs/development/core/server/kibana-plugin-server.authresulttype.md
+++ b/docs/development/core/server/kibana-plugin-server.authresulttype.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultType](./kibana-plugin-server.authresulttype.md)
-
-## AuthResultType enum
-
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AuthResultType 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  authenticated | <code>&quot;authenticated&quot;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultType](./kibana-plugin-server.authresulttype.md)
+
+## AuthResultType enum
+
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AuthResultType 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  authenticated | <code>&quot;authenticated&quot;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authstatus.md b/docs/development/core/server/kibana-plugin-server.authstatus.md
index eb350c794d6d6..e59ade4f73e38 100644
--- a/docs/development/core/server/kibana-plugin-server.authstatus.md
+++ b/docs/development/core/server/kibana-plugin-server.authstatus.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthStatus](./kibana-plugin-server.authstatus.md)
-
-## AuthStatus enum
-
-Status indicating an outcome of the authentication.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AuthStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  authenticated | <code>&quot;authenticated&quot;</code> | <code>auth</code> interceptor successfully authenticated a user |
-|  unauthenticated | <code>&quot;unauthenticated&quot;</code> | <code>auth</code> interceptor failed user authentication |
-|  unknown | <code>&quot;unknown&quot;</code> | <code>auth</code> interceptor has not been registered |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthStatus](./kibana-plugin-server.authstatus.md)
+
+## AuthStatus enum
+
+Status indicating an outcome of the authentication.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AuthStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  authenticated | <code>&quot;authenticated&quot;</code> | <code>auth</code> interceptor successfully authenticated a user |
+|  unauthenticated | <code>&quot;unauthenticated&quot;</code> | <code>auth</code> interceptor failed user authentication |
+|  unknown | <code>&quot;unknown&quot;</code> | <code>auth</code> interceptor has not been registered |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md b/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
index 47ba021602b22..54d78c840ed5a 100644
--- a/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md) &gt; [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md)
-
-## AuthToolkit.authenticated property
-
-Authentication is successful with given credentials, allow request to pass through
-
-<b>Signature:</b>
-
-```typescript
-authenticated: (data?: AuthResultParams) => AuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md) &gt; [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md)
+
+## AuthToolkit.authenticated property
+
+Authentication is successful with given credentials, allow request to pass through
+
+<b>Signature:</b>
+
+```typescript
+authenticated: (data?: AuthResultParams) => AuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authtoolkit.md b/docs/development/core/server/kibana-plugin-server.authtoolkit.md
index bc7003c5a68f3..0c030ddce4ec3 100644
--- a/docs/development/core/server/kibana-plugin-server.authtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.authtoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md)
-
-## AuthToolkit interface
-
-A tool set defining an outcome of Auth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface AuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md) | <code>(data?: AuthResultParams) =&gt; AuthResult</code> | Authentication is successful with given credentials, allow request to pass through |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md)
+
+## AuthToolkit interface
+
+A tool set defining an outcome of Auth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface AuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md) | <code>(data?: AuthResultParams) =&gt; AuthResult</code> | Authentication is successful with given credentials, allow request to pass through |
+
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.get.md b/docs/development/core/server/kibana-plugin-server.basepath.get.md
index 4dbbb1e5bd7a3..a20bc1a4e3174 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.get.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [get](./kibana-plugin-server.basepath.get.md)
-
-## BasePath.get property
-
-returns `basePath` value, specific for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-get: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [get](./kibana-plugin-server.basepath.get.md)
+
+## BasePath.get property
+
+returns `basePath` value, specific for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+get: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.md b/docs/development/core/server/kibana-plugin-server.basepath.md
index d7ee8e5d12e65..63aeb7f711d97 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md)
-
-## BasePath class
-
-Access or manipulate the Kibana base path
-
-<b>Signature:</b>
-
-```typescript
-export declare class BasePath 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `BasePath` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [get](./kibana-plugin-server.basepath.get.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;) =&gt; string</code> | returns <code>basePath</code> value, specific for an incoming request. |
-|  [prepend](./kibana-plugin-server.basepath.prepend.md) |  | <code>(path: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
-|  [remove](./kibana-plugin-server.basepath.remove.md) |  | <code>(path: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
-|  [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md) |  | <code>string</code> | returns the server's basePath<!-- -->See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request |
-|  [set](./kibana-plugin-server.basepath.set.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;, requestSpecificBasePath: string) =&gt; void</code> | sets <code>basePath</code> value, specific for an incoming request. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md)
+
+## BasePath class
+
+Access or manipulate the Kibana base path
+
+<b>Signature:</b>
+
+```typescript
+export declare class BasePath 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `BasePath` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [get](./kibana-plugin-server.basepath.get.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;) =&gt; string</code> | returns <code>basePath</code> value, specific for an incoming request. |
+|  [prepend](./kibana-plugin-server.basepath.prepend.md) |  | <code>(path: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
+|  [remove](./kibana-plugin-server.basepath.remove.md) |  | <code>(path: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
+|  [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md) |  | <code>string</code> | returns the server's basePath<!-- -->See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request |
+|  [set](./kibana-plugin-server.basepath.set.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;, requestSpecificBasePath: string) =&gt; void</code> | sets <code>basePath</code> value, specific for an incoming request. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.prepend.md b/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
index 17f3b8bf80e61..9a615dfe80f32 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [prepend](./kibana-plugin-server.basepath.prepend.md)
-
-## BasePath.prepend property
-
-Prepends `path` with the basePath.
-
-<b>Signature:</b>
-
-```typescript
-prepend: (path: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [prepend](./kibana-plugin-server.basepath.prepend.md)
+
+## BasePath.prepend property
+
+Prepends `path` with the basePath.
+
+<b>Signature:</b>
+
+```typescript
+prepend: (path: string) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.remove.md b/docs/development/core/server/kibana-plugin-server.basepath.remove.md
index 25844682623e3..8fcfbc2b921d3 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.remove.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [remove](./kibana-plugin-server.basepath.remove.md)
-
-## BasePath.remove property
-
-Removes the prepended basePath from the `path`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-remove: (path: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [remove](./kibana-plugin-server.basepath.remove.md)
+
+## BasePath.remove property
+
+Removes the prepended basePath from the `path`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+remove: (path: string) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md b/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
index 35a3b67de7a73..d7e45a92dba6d 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md)
-
-## BasePath.serverBasePath property
-
-returns the server's basePath
-
-See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request
-
-<b>Signature:</b>
-
-```typescript
-readonly serverBasePath: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md)
+
+## BasePath.serverBasePath property
+
+returns the server's basePath
+
+See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request
+
+<b>Signature:</b>
+
+```typescript
+readonly serverBasePath: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.set.md b/docs/development/core/server/kibana-plugin-server.basepath.set.md
index 479a96aa0347c..ac08baa0bb99e 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.set.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [set](./kibana-plugin-server.basepath.set.md)
-
-## BasePath.set property
-
-sets `basePath` value, specific for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-set: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>, requestSpecificBasePath: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [set](./kibana-plugin-server.basepath.set.md)
+
+## BasePath.set property
+
+sets `basePath` value, specific for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+set: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>, requestSpecificBasePath: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.md b/docs/development/core/server/kibana-plugin-server.callapioptions.md
index 4a73e5631a71c..ffdf638b236bb 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md)
-
-## CallAPIOptions interface
-
-The set of options that defines how API call should be made and result be processed.
-
-<b>Signature:</b>
-
-```typescript
-export interface CallAPIOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [signal](./kibana-plugin-server.callapioptions.signal.md) | <code>AbortSignal</code> | A signal object that allows you to abort the request via an AbortController object. |
-|  [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md) | <code>boolean</code> | Indicates whether <code>401 Unauthorized</code> errors returned from the Elasticsearch API should be wrapped into <code>Boom</code> error instances with properly set <code>WWW-Authenticate</code> header that could have been returned by the API itself. If API didn't specify that then <code>Basic realm=&quot;Authorization Required&quot;</code> is used as <code>WWW-Authenticate</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md)
+
+## CallAPIOptions interface
+
+The set of options that defines how API call should be made and result be processed.
+
+<b>Signature:</b>
+
+```typescript
+export interface CallAPIOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [signal](./kibana-plugin-server.callapioptions.signal.md) | <code>AbortSignal</code> | A signal object that allows you to abort the request via an AbortController object. |
+|  [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md) | <code>boolean</code> | Indicates whether <code>401 Unauthorized</code> errors returned from the Elasticsearch API should be wrapped into <code>Boom</code> error instances with properly set <code>WWW-Authenticate</code> header that could have been returned by the API itself. If API didn't specify that then <code>Basic realm=&quot;Authorization Required&quot;</code> is used as <code>WWW-Authenticate</code>. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md b/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
index a442da87e590f..402ed0ca8e34c 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [signal](./kibana-plugin-server.callapioptions.signal.md)
-
-## CallAPIOptions.signal property
-
-A signal object that allows you to abort the request via an AbortController object.
-
-<b>Signature:</b>
-
-```typescript
-signal?: AbortSignal;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [signal](./kibana-plugin-server.callapioptions.signal.md)
+
+## CallAPIOptions.signal property
+
+A signal object that allows you to abort the request via an AbortController object.
+
+<b>Signature:</b>
+
+```typescript
+signal?: AbortSignal;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md b/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
index 6544fa482c57f..296d769533950 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md)
-
-## CallAPIOptions.wrap401Errors property
-
-Indicates whether `401 Unauthorized` errors returned from the Elasticsearch API should be wrapped into `Boom` error instances with properly set `WWW-Authenticate` header that could have been returned by the API itself. If API didn't specify that then `Basic realm="Authorization Required"` is used as `WWW-Authenticate`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-wrap401Errors?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md)
+
+## CallAPIOptions.wrap401Errors property
+
+Indicates whether `401 Unauthorized` errors returned from the Elasticsearch API should be wrapped into `Boom` error instances with properly set `WWW-Authenticate` header that could have been returned by the API itself. If API didn't specify that then `Basic realm="Authorization Required"` is used as `WWW-Authenticate`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+wrap401Errors?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md b/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
index 92224b47c136c..4eb012c78f0cb 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [catalogue](./kibana-plugin-server.capabilities.catalogue.md)
-
-## Capabilities.catalogue property
-
-Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
-
-<b>Signature:</b>
-
-```typescript
-catalogue: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [catalogue](./kibana-plugin-server.capabilities.catalogue.md)
+
+## Capabilities.catalogue property
+
+Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
+
+<b>Signature:</b>
+
+```typescript
+catalogue: Record<string, boolean>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.management.md b/docs/development/core/server/kibana-plugin-server.capabilities.management.md
index d995324a6d732..d917c81dc3720 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.management.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.management.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [management](./kibana-plugin-server.capabilities.management.md)
-
-## Capabilities.management property
-
-Management section capabilities.
-
-<b>Signature:</b>
-
-```typescript
-management: {
-        [sectionId: string]: Record<string, boolean>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [management](./kibana-plugin-server.capabilities.management.md)
+
+## Capabilities.management property
+
+Management section capabilities.
+
+<b>Signature:</b>
+
+```typescript
+management: {
+        [sectionId: string]: Record<string, boolean>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.md b/docs/development/core/server/kibana-plugin-server.capabilities.md
index 586b3cac05b19..031282b9733ac 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md)
-
-## Capabilities interface
-
-The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
-
-<b>Signature:</b>
-
-```typescript
-export interface Capabilities 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [catalogue](./kibana-plugin-server.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
-|  [management](./kibana-plugin-server.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
-|  [navLinks](./kibana-plugin-server.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md)
+
+## Capabilities interface
+
+The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
+
+<b>Signature:</b>
+
+```typescript
+export interface Capabilities 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [catalogue](./kibana-plugin-server.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
+|  [management](./kibana-plugin-server.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
+|  [navLinks](./kibana-plugin-server.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md b/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
index 85287852efc6b..a1612ea840fbf 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [navLinks](./kibana-plugin-server.capabilities.navlinks.md)
-
-## Capabilities.navLinks property
-
-Navigation link capabilities.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [navLinks](./kibana-plugin-server.capabilities.navlinks.md)
+
+## Capabilities.navLinks property
+
+Navigation link capabilities.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: Record<string, boolean>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md b/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
index a03cbab7e621d..66e5d256ada66 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md)
-
-## CapabilitiesProvider type
-
-See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type CapabilitiesProvider = () => Partial<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md)
+
+## CapabilitiesProvider type
+
+See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type CapabilitiesProvider = () => Partial<Capabilities>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
index 53153b2bbb887..27c42fe75e751 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-## CapabilitiesSetup interface
-
-APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.
-
-Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the `registerProvider` method.
-
-Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the `registerSwitcher` method.
-
-Refers to the methods documentation for complete description and examples.
-
-<b>Signature:</b>
-
-```typescript
-export interface CapabilitiesSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [registerProvider(provider)](./kibana-plugin-server.capabilitiessetup.registerprovider.md) | Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them. |
-|  [registerSwitcher(switcher)](./kibana-plugin-server.capabilitiessetup.registerswitcher.md) | Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.<!-- -->A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+## CapabilitiesSetup interface
+
+APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.
+
+Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the `registerProvider` method.
+
+Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the `registerSwitcher` method.
+
+Refers to the methods documentation for complete description and examples.
+
+<b>Signature:</b>
+
+```typescript
+export interface CapabilitiesSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [registerProvider(provider)](./kibana-plugin-server.capabilitiessetup.registerprovider.md) | Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them. |
+|  [registerSwitcher(switcher)](./kibana-plugin-server.capabilitiessetup.registerswitcher.md) | Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.<!-- -->A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
index c0e7fa50eb91d..750913ee35895 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
@@ -1,46 +1,46 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerProvider](./kibana-plugin-server.capabilitiessetup.registerprovider.md)
-
-## CapabilitiesSetup.registerProvider() method
-
-Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them.
-
-<b>Signature:</b>
-
-```typescript
-registerProvider(provider: CapabilitiesProvider): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  provider | <code>CapabilitiesProvider</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to register a plugin's capabilities during setup
-
-```ts
-// my-plugin/server/plugin.ts
-public setup(core: CoreSetup, deps: {}) {
-   core.capabilities.registerProvider(() => {
-     return {
-       catalogue: {
-         myPlugin: true,
-       },
-       myPlugin: {
-         someFeature: true,
-         featureDisabledByDefault: false,
-       },
-     }
-   });
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerProvider](./kibana-plugin-server.capabilitiessetup.registerprovider.md)
+
+## CapabilitiesSetup.registerProvider() method
+
+Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them.
+
+<b>Signature:</b>
+
+```typescript
+registerProvider(provider: CapabilitiesProvider): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  provider | <code>CapabilitiesProvider</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to register a plugin's capabilities during setup
+
+```ts
+// my-plugin/server/plugin.ts
+public setup(core: CoreSetup, deps: {}) {
+   core.capabilities.registerProvider(() => {
+     return {
+       catalogue: {
+         myPlugin: true,
+       },
+       myPlugin: {
+         someFeature: true,
+         featureDisabledByDefault: false,
+       },
+     }
+   });
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
index 948d256e9aa73..fbaa2959c635c 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
@@ -1,47 +1,47 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerSwitcher](./kibana-plugin-server.capabilitiessetup.registerswitcher.md)
-
-## CapabilitiesSetup.registerSwitcher() method
-
-Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.
-
-A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored.
-
-<b>Signature:</b>
-
-```typescript
-registerSwitcher(switcher: CapabilitiesSwitcher): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  switcher | <code>CapabilitiesSwitcher</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to restrict some capabilities
-
-```ts
-// my-plugin/server/plugin.ts
-public setup(core: CoreSetup, deps: {}) {
-   core.capabilities.registerSwitcher((request, capabilities) => {
-     if(myPluginApi.shouldRestrictSomePluginBecauseOf(request)) {
-       return {
-         somePlugin: {
-           featureEnabledByDefault: false // `featureEnabledByDefault` will be disabled. All other capabilities will remain unchanged.
-         }
-       }
-     }
-     return {}; // All capabilities will remain unchanged.
-   });
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerSwitcher](./kibana-plugin-server.capabilitiessetup.registerswitcher.md)
+
+## CapabilitiesSetup.registerSwitcher() method
+
+Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.
+
+A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored.
+
+<b>Signature:</b>
+
+```typescript
+registerSwitcher(switcher: CapabilitiesSwitcher): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  switcher | <code>CapabilitiesSwitcher</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to restrict some capabilities
+
+```ts
+// my-plugin/server/plugin.ts
+public setup(core: CoreSetup, deps: {}) {
+   core.capabilities.registerSwitcher((request, capabilities) => {
+     if(myPluginApi.shouldRestrictSomePluginBecauseOf(request)) {
+       return {
+         somePlugin: {
+           featureEnabledByDefault: false // `featureEnabledByDefault` will be disabled. All other capabilities will remain unchanged.
+         }
+       }
+     }
+     return {}; // All capabilities will remain unchanged.
+   });
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
index 1f6eda9dcb392..55cc1aed76b5b 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
-
-## CapabilitiesStart interface
-
-APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface CapabilitiesStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [resolveCapabilities(request)](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md) | Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
+
+## CapabilitiesStart interface
+
+APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface CapabilitiesStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [resolveCapabilities(request)](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md) | Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
index 43b6f6059eb0d..95b751dd4fc95 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) &gt; [resolveCapabilities](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md)
-
-## CapabilitiesStart.resolveCapabilities() method
-
-Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request
-
-<b>Signature:</b>
-
-```typescript
-resolveCapabilities(request: KibanaRequest): Promise<Capabilities>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>KibanaRequest</code> |  |
-
-<b>Returns:</b>
-
-`Promise<Capabilities>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) &gt; [resolveCapabilities](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md)
+
+## CapabilitiesStart.resolveCapabilities() method
+
+Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request
+
+<b>Signature:</b>
+
+```typescript
+resolveCapabilities(request: KibanaRequest): Promise<Capabilities>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>KibanaRequest</code> |  |
+
+<b>Returns:</b>
+
+`Promise<Capabilities>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md b/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
index 5e5a5c63ae341..dd6af54376896 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md)
-
-## CapabilitiesSwitcher type
-
-See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type CapabilitiesSwitcher = (request: KibanaRequest, uiCapabilities: Capabilities) => Partial<Capabilities> | Promise<Partial<Capabilities>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md)
+
+## CapabilitiesSwitcher type
+
+See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type CapabilitiesSwitcher = (request: KibanaRequest, uiCapabilities: Capabilities) => Partial<Capabilities> | Promise<Partial<Capabilities>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md b/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
index 5b76a0e43317e..252991affbc3c 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [(constructor)](./kibana-plugin-server.clusterclient._constructor_.md)
-
-## ClusterClient.(constructor)
-
-Constructs a new instance of the `ClusterClient` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(config: ElasticsearchClientConfig, log: Logger, getAuthHeaders?: GetAuthHeaders);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  config | <code>ElasticsearchClientConfig</code> |  |
-|  log | <code>Logger</code> |  |
-|  getAuthHeaders | <code>GetAuthHeaders</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [(constructor)](./kibana-plugin-server.clusterclient._constructor_.md)
+
+## ClusterClient.(constructor)
+
+Constructs a new instance of the `ClusterClient` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(config: ElasticsearchClientConfig, log: Logger, getAuthHeaders?: GetAuthHeaders);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  config | <code>ElasticsearchClientConfig</code> |  |
+|  log | <code>Logger</code> |  |
+|  getAuthHeaders | <code>GetAuthHeaders</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md b/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
index 594a05e8dfe2e..bb1f481c9ef4f 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [asScoped](./kibana-plugin-server.clusterclient.asscoped.md)
-
-## ClusterClient.asScoped() method
-
-Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional `callAsCurrentUser` method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed.
-
-<b>Signature:</b>
-
-```typescript
-asScoped(request?: ScopeableRequest): IScopedClusterClient;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>ScopeableRequest</code> | Request the <code>IScopedClusterClient</code> instance will be scoped to. Supports request optionality, Legacy.Request &amp; FakeRequest for BWC with LegacyPlatform |
-
-<b>Returns:</b>
-
-`IScopedClusterClient`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [asScoped](./kibana-plugin-server.clusterclient.asscoped.md)
+
+## ClusterClient.asScoped() method
+
+Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional `callAsCurrentUser` method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed.
+
+<b>Signature:</b>
+
+```typescript
+asScoped(request?: ScopeableRequest): IScopedClusterClient;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>ScopeableRequest</code> | Request the <code>IScopedClusterClient</code> instance will be scoped to. Supports request optionality, Legacy.Request &amp; FakeRequest for BWC with LegacyPlatform |
+
+<b>Returns:</b>
+
+`IScopedClusterClient`
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md b/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
index 263bb6308f471..7afb6afa4bc3b 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md)
-
-## ClusterClient.callAsInternalUser property
-
-Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsInternalUser: APICaller;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md)
+
+## ClusterClient.callAsInternalUser property
+
+Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsInternalUser: APICaller;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.close.md b/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
index 7b0efb9c0b2e9..6030f4372e8e0 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [close](./kibana-plugin-server.clusterclient.close.md)
-
-## ClusterClient.close() method
-
-Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API.
-
-<b>Signature:</b>
-
-```typescript
-close(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [close](./kibana-plugin-server.clusterclient.close.md)
+
+## ClusterClient.close() method
+
+Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API.
+
+<b>Signature:</b>
+
+```typescript
+close(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.md b/docs/development/core/server/kibana-plugin-server.clusterclient.md
index 65c6c33304d33..d547b846e65b7 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md)
-
-## ClusterClient class
-
-Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ClusterClient implements IClusterClient 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(config, log, getAuthHeaders)](./kibana-plugin-server.clusterclient._constructor_.md) |  | Constructs a new instance of the <code>ClusterClient</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md) |  | <code>APICaller</code> | Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [asScoped(request)](./kibana-plugin-server.clusterclient.asscoped.md) |  | Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional <code>callAsCurrentUser</code> method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed. |
-|  [close()](./kibana-plugin-server.clusterclient.close.md) |  | Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md)
+
+## ClusterClient class
+
+Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ClusterClient implements IClusterClient 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(config, log, getAuthHeaders)](./kibana-plugin-server.clusterclient._constructor_.md) |  | Constructs a new instance of the <code>ClusterClient</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md) |  | <code>APICaller</code> | Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [asScoped(request)](./kibana-plugin-server.clusterclient.asscoped.md) |  | Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional <code>callAsCurrentUser</code> method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed. |
+|  [close()](./kibana-plugin-server.clusterclient.close.md) |  | Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecation.md b/docs/development/core/server/kibana-plugin-server.configdeprecation.md
index 772a52f5b9264..ba7e40b8dc624 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecation.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecation.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
-
-## ConfigDeprecation type
-
-Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecation = (config: Record<string, any>, fromPath: string, logger: ConfigDeprecationLogger) => Record<string, any>;
-```
-
-## Remarks
-
-This should only be manually implemented if [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) does not provide the proper helpers for a specific deprecation need.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
+
+## ConfigDeprecation type
+
+Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecation = (config: Record<string, any>, fromPath: string, logger: ConfigDeprecationLogger) => Record<string, any>;
+```
+
+## Remarks
+
+This should only be manually implemented if [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) does not provide the proper helpers for a specific deprecation need.
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
index c61907f366301..0302797147cff 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md)
-
-## ConfigDeprecationFactory interface
-
-Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.
-
-See methods documentation for more detailed examples.
-
-<b>Signature:</b>
-
-```typescript
-export interface ConfigDeprecationFactory 
-```
-
-## Example
-
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
-  rename('oldKey', 'newKey'),
-  unused('deprecatedKey'),
-]
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [rename(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.rename.md) | Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied. |
-|  [renameFromRoot(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md) | Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.<!-- -->This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead. |
-|  [unused(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unused.md) | Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied. |
-|  [unusedFromRoot(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md) | Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.<!-- -->This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md)
+
+## ConfigDeprecationFactory interface
+
+Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.
+
+See methods documentation for more detailed examples.
+
+<b>Signature:</b>
+
+```typescript
+export interface ConfigDeprecationFactory 
+```
+
+## Example
+
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
+  rename('oldKey', 'newKey'),
+  unused('deprecatedKey'),
+]
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [rename(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.rename.md) | Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied. |
+|  [renameFromRoot(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md) | Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.<!-- -->This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead. |
+|  [unused(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unused.md) | Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied. |
+|  [unusedFromRoot(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md) | Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.<!-- -->This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
index 6d7ea00b3cab1..5bbbad763c545 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [rename](./kibana-plugin-server.configdeprecationfactory.rename.md)
-
-## ConfigDeprecationFactory.rename() method
-
-Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied.
-
-<b>Signature:</b>
-
-```typescript
-rename(oldKey: string, newKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  oldKey | <code>string</code> |  |
-|  newKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Rename 'myplugin.oldKey' to 'myplugin.newKey'
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename }) => [
-  rename('oldKey', 'newKey'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [rename](./kibana-plugin-server.configdeprecationfactory.rename.md)
+
+## ConfigDeprecationFactory.rename() method
+
+Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied.
+
+<b>Signature:</b>
+
+```typescript
+rename(oldKey: string, newKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  oldKey | <code>string</code> |  |
+|  newKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Rename 'myplugin.oldKey' to 'myplugin.newKey'
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename }) => [
+  rename('oldKey', 'newKey'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
index 269f242ec35da..d35ba25256fa1 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
@@ -1,38 +1,38 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [renameFromRoot](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md)
-
-## ConfigDeprecationFactory.renameFromRoot() method
-
-Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.
-
-This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead.
-
-<b>Signature:</b>
-
-```typescript
-renameFromRoot(oldKey: string, newKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  oldKey | <code>string</code> |  |
-|  newKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Rename 'oldplugin.key' to 'newplugin.key'
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ renameFromRoot }) => [
-  renameFromRoot('oldplugin.key', 'newplugin.key'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [renameFromRoot](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md)
+
+## ConfigDeprecationFactory.renameFromRoot() method
+
+Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.
+
+This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead.
+
+<b>Signature:</b>
+
+```typescript
+renameFromRoot(oldKey: string, newKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  oldKey | <code>string</code> |  |
+|  newKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Rename 'oldplugin.key' to 'newplugin.key'
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ renameFromRoot }) => [
+  renameFromRoot('oldplugin.key', 'newplugin.key'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
index 87576936607d7..0381480e84c4d 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unused](./kibana-plugin-server.configdeprecationfactory.unused.md)
-
-## ConfigDeprecationFactory.unused() method
-
-Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied.
-
-<b>Signature:</b>
-
-```typescript
-unused(unusedKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  unusedKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Flags 'myplugin.deprecatedKey' as unused
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ unused }) => [
-  unused('deprecatedKey'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unused](./kibana-plugin-server.configdeprecationfactory.unused.md)
+
+## ConfigDeprecationFactory.unused() method
+
+Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied.
+
+<b>Signature:</b>
+
+```typescript
+unused(unusedKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  unusedKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Flags 'myplugin.deprecatedKey' as unused
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ unused }) => [
+  unused('deprecatedKey'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
index f7d81a010f812..ed37638b07375 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unusedFromRoot](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md)
-
-## ConfigDeprecationFactory.unusedFromRoot() method
-
-Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.
-
-This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead.
-
-<b>Signature:</b>
-
-```typescript
-unusedFromRoot(unusedKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  unusedKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Flags 'somepath.deprecatedProperty' as unused
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ unusedFromRoot }) => [
-  unusedFromRoot('somepath.deprecatedProperty'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unusedFromRoot](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md)
+
+## ConfigDeprecationFactory.unusedFromRoot() method
+
+Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.
+
+This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead.
+
+<b>Signature:</b>
+
+```typescript
+unusedFromRoot(unusedKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  unusedKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Flags 'somepath.deprecatedProperty' as unused
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ unusedFromRoot }) => [
+  unusedFromRoot('somepath.deprecatedProperty'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md b/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
index f3d6303a9f0d7..d2bb2a4e441b3 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md)
-
-## ConfigDeprecationLogger type
-
-Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecationLogger = (message: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md)
+
+## ConfigDeprecationLogger type
+
+Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecationLogger = (message: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md b/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
index 5d0619ef9e171..f5da9e9452bb5 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)
-
-## ConfigDeprecationProvider type
-
-A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.
-
-See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecationProvider = (factory: ConfigDeprecationFactory) => ConfigDeprecation[];
-```
-
-## Example
-
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
-  rename('oldKey', 'newKey'),
-  unused('deprecatedKey'),
-  myCustomDeprecation,
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)
+
+## ConfigDeprecationProvider type
+
+A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.
+
+See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecationProvider = (factory: ConfigDeprecationFactory) => ConfigDeprecation[];
+```
+
+## Example
+
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
+  rename('oldKey', 'newKey'),
+  unused('deprecatedKey'),
+  myCustomDeprecation,
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configpath.md b/docs/development/core/server/kibana-plugin-server.configpath.md
index 684e4c33d3c3b..674769115b181 100644
--- a/docs/development/core/server/kibana-plugin-server.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.configpath.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigPath](./kibana-plugin-server.configpath.md)
-
-## ConfigPath type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigPath = string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigPath](./kibana-plugin-server.configpath.md)
+
+## ConfigPath type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigPath = string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md b/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
index 323c131f2e9a8..7096bfc43a520 100644
--- a/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-server.contextsetup.createcontextcontainer.md)
-
-## ContextSetup.createContextContainer() method
-
-Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner.
-
-<b>Signature:</b>
-
-```typescript
-createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
-```
-<b>Returns:</b>
-
-`IContextContainer<THandler>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-server.contextsetup.createcontextcontainer.md)
+
+## ContextSetup.createContextContainer() method
+
+Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner.
+
+<b>Signature:</b>
+
+```typescript
+createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
+```
+<b>Returns:</b>
+
+`IContextContainer<THandler>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.contextsetup.md b/docs/development/core/server/kibana-plugin-server.contextsetup.md
index 99d87c78ce57f..1b2a1e2f1b621 100644
--- a/docs/development/core/server/kibana-plugin-server.contextsetup.md
+++ b/docs/development/core/server/kibana-plugin-server.contextsetup.md
@@ -1,138 +1,138 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md)
-
-## ContextSetup interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface ContextSetup 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Example
-
-Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
-
-```ts
-export interface VizRenderContext {
-  core: {
-    i18n: I18nStart;
-    uiSettings: IUiSettingsClient;
-  }
-  [contextName: string]: unknown;
-}
-
-export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
-// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
-type BoundVizRenderer = (domElement: HTMLElement) => () => void;
-
-class VizRenderingPlugin {
-  private readonly contextContainer?: IContextContainer<VizRenderer>;
-  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
-        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
-    };
-  }
-
-  start(core) {
-    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
-    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
-      i18n: core.i18n,
-      uiSettings: core.uiSettings
-    }));
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-
-      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
-        if (!this.vizRenderer.has(renderMethod)) {
-          throw new Error(`Render method '${renderMethod}' has not been registered`);
-        }
-
-        // The handler can now be called directly with only an `HTMLElement` and will automatically
-        // have a new `context` object created and populated by the context container.
-        const handler = this.vizRenderers.get(renderMethod)
-        return handler(domElement);
-      }
-    };
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createContextContainer()](./kibana-plugin-server.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md)
+
+## ContextSetup interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface ContextSetup 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Example
+
+Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
+
+```ts
+export interface VizRenderContext {
+  core: {
+    i18n: I18nStart;
+    uiSettings: IUiSettingsClient;
+  }
+  [contextName: string]: unknown;
+}
+
+export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
+// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
+type BoundVizRenderer = (domElement: HTMLElement) => () => void;
+
+class VizRenderingPlugin {
+  private readonly contextContainer?: IContextContainer<VizRenderer>;
+  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
+        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
+    };
+  }
+
+  start(core) {
+    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
+    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
+      i18n: core.i18n,
+      uiSettings: core.uiSettings
+    }));
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+
+      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
+        if (!this.vizRenderer.has(renderMethod)) {
+          throw new Error(`Render method '${renderMethod}' has not been registered`);
+        }
+
+        // The handler can now be called directly with only an `HTMLElement` and will automatically
+        // have a new `context` object created and populated by the context container.
+        const handler = this.vizRenderers.get(renderMethod)
+        return handler(domElement);
+      }
+    };
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createContextContainer()](./kibana-plugin-server.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md b/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
index 413a4155aeb31..fe50347d97e3c 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [capabilities](./kibana-plugin-server.coresetup.capabilities.md)
-
-## CoreSetup.capabilities property
-
-[CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-capabilities: CapabilitiesSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [capabilities](./kibana-plugin-server.coresetup.capabilities.md)
+
+## CoreSetup.capabilities property
+
+[CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+capabilities: CapabilitiesSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.context.md b/docs/development/core/server/kibana-plugin-server.coresetup.context.md
index 0417203a92e23..63c37eec70b05 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.context.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.context.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [context](./kibana-plugin-server.coresetup.context.md)
-
-## CoreSetup.context property
-
-[ContextSetup](./kibana-plugin-server.contextsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-context: ContextSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [context](./kibana-plugin-server.coresetup.context.md)
+
+## CoreSetup.context property
+
+[ContextSetup](./kibana-plugin-server.contextsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+context: ContextSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md b/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
index 0933487f5dcef..9498e0223350d 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md)
-
-## CoreSetup.elasticsearch property
-
-[ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-elasticsearch: ElasticsearchServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md)
+
+## CoreSetup.elasticsearch property
+
+[ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+elasticsearch: ElasticsearchServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md b/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
index b05d28899f9d2..589529cf2a7f7 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [getStartServices](./kibana-plugin-server.coresetup.getstartservices.md)
-
-## CoreSetup.getStartServices() method
-
-Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->. This should only be used inside handlers registered during `setup` that will only be executed after `start` lifecycle.
-
-<b>Signature:</b>
-
-```typescript
-getStartServices(): Promise<[CoreStart, TPluginsStart]>;
-```
-<b>Returns:</b>
-
-`Promise<[CoreStart, TPluginsStart]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [getStartServices](./kibana-plugin-server.coresetup.getstartservices.md)
+
+## CoreSetup.getStartServices() method
+
+Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->. This should only be used inside handlers registered during `setup` that will only be executed after `start` lifecycle.
+
+<b>Signature:</b>
+
+```typescript
+getStartServices(): Promise<[CoreStart, TPluginsStart]>;
+```
+<b>Returns:</b>
+
+`Promise<[CoreStart, TPluginsStart]>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.http.md b/docs/development/core/server/kibana-plugin-server.coresetup.http.md
index cb77075ad1df6..09b12bca7b275 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.http.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [http](./kibana-plugin-server.coresetup.http.md)
-
-## CoreSetup.http property
-
-[HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [http](./kibana-plugin-server.coresetup.http.md)
+
+## CoreSetup.http property
+
+[HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.md b/docs/development/core/server/kibana-plugin-server.coresetup.md
index c36d649837e8a..325f7216122b5 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md)
-
-## CoreSetup interface
-
-Context passed to the plugins `setup` method.
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreSetup<TPluginsStart extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-server.coresetup.capabilities.md) | <code>CapabilitiesSetup</code> | [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [context](./kibana-plugin-server.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-server.contextsetup.md) |
-|  [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md) | <code>ElasticsearchServiceSetup</code> | [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |
-|  [http](./kibana-plugin-server.coresetup.http.md) | <code>HttpServiceSetup</code> | [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) |
-|  [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md) | <code>SavedObjectsServiceSetup</code> | [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) |
-|  [uiSettings](./kibana-plugin-server.coresetup.uisettings.md) | <code>UiSettingsServiceSetup</code> | [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |
-|  [uuid](./kibana-plugin-server.coresetup.uuid.md) | <code>UuidServiceSetup</code> | [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getStartServices()](./kibana-plugin-server.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. This should only be used inside handlers registered during <code>setup</code> that will only be executed after <code>start</code> lifecycle. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md)
+
+## CoreSetup interface
+
+Context passed to the plugins `setup` method.
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreSetup<TPluginsStart extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-server.coresetup.capabilities.md) | <code>CapabilitiesSetup</code> | [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [context](./kibana-plugin-server.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-server.contextsetup.md) |
+|  [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md) | <code>ElasticsearchServiceSetup</code> | [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |
+|  [http](./kibana-plugin-server.coresetup.http.md) | <code>HttpServiceSetup</code> | [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) |
+|  [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md) | <code>SavedObjectsServiceSetup</code> | [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) |
+|  [uiSettings](./kibana-plugin-server.coresetup.uisettings.md) | <code>UiSettingsServiceSetup</code> | [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |
+|  [uuid](./kibana-plugin-server.coresetup.uuid.md) | <code>UuidServiceSetup</code> | [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getStartServices()](./kibana-plugin-server.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. This should only be used inside handlers registered during <code>setup</code> that will only be executed after <code>start</code> lifecycle. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md b/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
index e19ec235608a4..96acc1ffce194 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md)
-
-## CoreSetup.savedObjects property
-
-[SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md)
+
+## CoreSetup.savedObjects property
+
+[SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md b/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
index 45c304a43fff6..54120d7c3fa8d 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uiSettings](./kibana-plugin-server.coresetup.uisettings.md)
-
-## CoreSetup.uiSettings property
-
-[UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: UiSettingsServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uiSettings](./kibana-plugin-server.coresetup.uisettings.md)
+
+## CoreSetup.uiSettings property
+
+[UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: UiSettingsServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md b/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
index 45adf1262470d..2b9077735d8e3 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uuid](./kibana-plugin-server.coresetup.uuid.md)
-
-## CoreSetup.uuid property
-
-[UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-uuid: UuidServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uuid](./kibana-plugin-server.coresetup.uuid.md)
+
+## CoreSetup.uuid property
+
+[UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+uuid: UuidServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md b/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
index 937f5f76cd803..03930d367ee75 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [capabilities](./kibana-plugin-server.corestart.capabilities.md)
-
-## CoreStart.capabilities property
-
-[CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
-
-<b>Signature:</b>
-
-```typescript
-capabilities: CapabilitiesStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [capabilities](./kibana-plugin-server.corestart.capabilities.md)
+
+## CoreStart.capabilities property
+
+[CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
+
+<b>Signature:</b>
+
+```typescript
+capabilities: CapabilitiesStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.md b/docs/development/core/server/kibana-plugin-server.corestart.md
index 0dd69f7b1494e..167c69d5fe329 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md)
-
-## CoreStart interface
-
-Context passed to the plugins `start` method.
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-server.corestart.capabilities.md) | <code>CapabilitiesStart</code> | [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) |
-|  [savedObjects](./kibana-plugin-server.corestart.savedobjects.md) | <code>SavedObjectsServiceStart</code> | [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) |
-|  [uiSettings](./kibana-plugin-server.corestart.uisettings.md) | <code>UiSettingsServiceStart</code> | [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md)
+
+## CoreStart interface
+
+Context passed to the plugins `start` method.
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-server.corestart.capabilities.md) | <code>CapabilitiesStart</code> | [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) |
+|  [savedObjects](./kibana-plugin-server.corestart.savedobjects.md) | <code>SavedObjectsServiceStart</code> | [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) |
+|  [uiSettings](./kibana-plugin-server.corestart.uisettings.md) | <code>UiSettingsServiceStart</code> | [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |
+
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md b/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
index 516dd3d9532d4..531b04e9eed07 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [savedObjects](./kibana-plugin-server.corestart.savedobjects.md)
-
-## CoreStart.savedObjects property
-
-[SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsServiceStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [savedObjects](./kibana-plugin-server.corestart.savedobjects.md)
+
+## CoreStart.savedObjects property
+
+[SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsServiceStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md b/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
index 408a83585f01c..323e929f2918e 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [uiSettings](./kibana-plugin-server.corestart.uisettings.md)
-
-## CoreStart.uiSettings property
-
-[UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: UiSettingsServiceStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [uiSettings](./kibana-plugin-server.corestart.uisettings.md)
+
+## CoreStart.uiSettings property
+
+[UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: UiSettingsServiceStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.default.md b/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
index c031db6aa3749..56e6cf35cdd13 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [DEFAULT](./kibana-plugin-server.cspconfig.default.md)
-
-## CspConfig.DEFAULT property
-
-<b>Signature:</b>
-
-```typescript
-static readonly DEFAULT: CspConfig;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [DEFAULT](./kibana-plugin-server.cspconfig.default.md)
+
+## CspConfig.DEFAULT property
+
+<b>Signature:</b>
+
+```typescript
+static readonly DEFAULT: CspConfig;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.header.md b/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
index 79c69d0ddb452..e3a3d5d712a42 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [header](./kibana-plugin-server.cspconfig.header.md)
-
-## CspConfig.header property
-
-<b>Signature:</b>
-
-```typescript
-readonly header: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [header](./kibana-plugin-server.cspconfig.header.md)
+
+## CspConfig.header property
+
+<b>Signature:</b>
+
+```typescript
+readonly header: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.md b/docs/development/core/server/kibana-plugin-server.cspconfig.md
index b0cd248db6e40..7e491cb0df912 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md)
-
-## CspConfig class
-
-CSP configuration for use in Kibana.
-
-<b>Signature:</b>
-
-```typescript
-export declare class CspConfig implements ICspConfig 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `CspConfig` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [DEFAULT](./kibana-plugin-server.cspconfig.default.md) | <code>static</code> | <code>CspConfig</code> |  |
-|  [header](./kibana-plugin-server.cspconfig.header.md) |  | <code>string</code> |  |
-|  [rules](./kibana-plugin-server.cspconfig.rules.md) |  | <code>string[]</code> |  |
-|  [strict](./kibana-plugin-server.cspconfig.strict.md) |  | <code>boolean</code> |  |
-|  [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md) |  | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md)
+
+## CspConfig class
+
+CSP configuration for use in Kibana.
+
+<b>Signature:</b>
+
+```typescript
+export declare class CspConfig implements ICspConfig 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `CspConfig` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [DEFAULT](./kibana-plugin-server.cspconfig.default.md) | <code>static</code> | <code>CspConfig</code> |  |
+|  [header](./kibana-plugin-server.cspconfig.header.md) |  | <code>string</code> |  |
+|  [rules](./kibana-plugin-server.cspconfig.rules.md) |  | <code>string[]</code> |  |
+|  [strict](./kibana-plugin-server.cspconfig.strict.md) |  | <code>boolean</code> |  |
+|  [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md) |  | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md b/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
index 8110cf965386c..c5270c2375dc1 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [rules](./kibana-plugin-server.cspconfig.rules.md)
-
-## CspConfig.rules property
-
-<b>Signature:</b>
-
-```typescript
-readonly rules: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [rules](./kibana-plugin-server.cspconfig.rules.md)
+
+## CspConfig.rules property
+
+<b>Signature:</b>
+
+```typescript
+readonly rules: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md b/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
index 046ab8d8fd5f4..3ac48edd374c9 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [strict](./kibana-plugin-server.cspconfig.strict.md)
-
-## CspConfig.strict property
-
-<b>Signature:</b>
-
-```typescript
-readonly strict: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [strict](./kibana-plugin-server.cspconfig.strict.md)
+
+## CspConfig.strict property
+
+<b>Signature:</b>
+
+```typescript
+readonly strict: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md b/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
index b5ce89ccee33f..59d661593d940 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md)
-
-## CspConfig.warnLegacyBrowsers property
-
-<b>Signature:</b>
-
-```typescript
-readonly warnLegacyBrowsers: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md)
+
+## CspConfig.warnLegacyBrowsers property
+
+<b>Signature:</b>
+
+```typescript
+readonly warnLegacyBrowsers: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
index 3de5c93438f10..1a2282aae23a4 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.customhttpresponseoptions.body.md)
-
-## CustomHttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.customhttpresponseoptions.body.md)
+
+## CustomHttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
index 5cd2e6aa0795f..93a36bfe59f5e 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md)
-
-## CustomHttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md)
+
+## CustomHttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
index ef941a2e2bd63..3e100f709c8c7 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md)
-
-## CustomHttpResponseOptions interface
-
-HTTP response parameters for a response with adjustable status code.
-
-<b>Signature:</b>
-
-```typescript
-export interface CustomHttpResponseOptions<T extends HttpResponsePayload | ResponseError> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.customhttpresponseoptions.body.md) | <code>T</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-|  [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md)
+
+## CustomHttpResponseOptions interface
+
+HTTP response parameters for a response with adjustable status code.
+
+<b>Signature:</b>
+
+```typescript
+export interface CustomHttpResponseOptions<T extends HttpResponsePayload | ResponseError> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.customhttpresponseoptions.body.md) | <code>T</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+|  [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
index 4fb6882275ad1..5444ccd2ebb55 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md)
-
-## CustomHttpResponseOptions.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md)
+
+## CustomHttpResponseOptions.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
index 4797758bf1f55..47af79ae464b2 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md)
-
-## DeprecationAPIClientParams interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationAPIClientParams extends GenericParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.deprecationapiclientparams.method.md) | <code>'GET'</code> |  |
-|  [path](./kibana-plugin-server.deprecationapiclientparams.path.md) | <code>'/_migration/deprecations'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md)
+
+## DeprecationAPIClientParams interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationAPIClientParams extends GenericParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.deprecationapiclientparams.method.md) | <code>'GET'</code> |  |
+|  [path](./kibana-plugin-server.deprecationapiclientparams.path.md) | <code>'/_migration/deprecations'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
index 57107a03d10bb..7b9364009923b 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [method](./kibana-plugin-server.deprecationapiclientparams.method.md)
-
-## DeprecationAPIClientParams.method property
-
-<b>Signature:</b>
-
-```typescript
-method: 'GET';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [method](./kibana-plugin-server.deprecationapiclientparams.method.md)
+
+## DeprecationAPIClientParams.method property
+
+<b>Signature:</b>
+
+```typescript
+method: 'GET';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
index f9dde4f08afa0..dbddedf75171d 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [path](./kibana-plugin-server.deprecationapiclientparams.path.md)
-
-## DeprecationAPIClientParams.path property
-
-<b>Signature:</b>
-
-```typescript
-path: '/_migration/deprecations';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [path](./kibana-plugin-server.deprecationapiclientparams.path.md)
+
+## DeprecationAPIClientParams.path property
+
+<b>Signature:</b>
+
+```typescript
+path: '/_migration/deprecations';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
index 74a0609dc8f5a..5af134100407c 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md)
-
-## DeprecationAPIResponse.cluster\_settings property
-
-<b>Signature:</b>
-
-```typescript
-cluster_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md)
+
+## DeprecationAPIResponse.cluster\_settings property
+
+<b>Signature:</b>
+
+```typescript
+cluster_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
index f5989247d67ea..c8d20c9696f63 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md)
-
-## DeprecationAPIResponse.index\_settings property
-
-<b>Signature:</b>
-
-```typescript
-index_settings: IndexSettingsDeprecationInfo;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md)
+
+## DeprecationAPIResponse.index\_settings property
+
+<b>Signature:</b>
+
+```typescript
+index_settings: IndexSettingsDeprecationInfo;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
index f5d4017f10b5d..5a2954d10c161 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md)
-
-## DeprecationAPIResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationAPIResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md) | <code>DeprecationInfo[]</code> |  |
-|  [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md) | <code>IndexSettingsDeprecationInfo</code> |  |
-|  [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md) | <code>DeprecationInfo[]</code> |  |
-|  [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md) | <code>DeprecationInfo[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md)
+
+## DeprecationAPIResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationAPIResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md) | <code>DeprecationInfo[]</code> |  |
+|  [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md) | <code>IndexSettingsDeprecationInfo</code> |  |
+|  [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md) | <code>DeprecationInfo[]</code> |  |
+|  [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md) | <code>DeprecationInfo[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
index ca1a2feaf8ed9..5a4e273df69a6 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md)
-
-## DeprecationAPIResponse.ml\_settings property
-
-<b>Signature:</b>
-
-```typescript
-ml_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md)
+
+## DeprecationAPIResponse.ml\_settings property
+
+<b>Signature:</b>
+
+```typescript
+ml_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
index 7c4fd59269656..5901c49d0edf1 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md)
-
-## DeprecationAPIResponse.node\_settings property
-
-<b>Signature:</b>
-
-```typescript
-node_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md)
+
+## DeprecationAPIResponse.node\_settings property
+
+<b>Signature:</b>
+
+```typescript
+node_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
index 6c6913622191e..17dbeff942255 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [details](./kibana-plugin-server.deprecationinfo.details.md)
-
-## DeprecationInfo.details property
-
-<b>Signature:</b>
-
-```typescript
-details?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [details](./kibana-plugin-server.deprecationinfo.details.md)
+
+## DeprecationInfo.details property
+
+<b>Signature:</b>
+
+```typescript
+details?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
index 03d3a4149af89..99b629bbbb8cc 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [level](./kibana-plugin-server.deprecationinfo.level.md)
-
-## DeprecationInfo.level property
-
-<b>Signature:</b>
-
-```typescript
-level: MIGRATION_DEPRECATION_LEVEL;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [level](./kibana-plugin-server.deprecationinfo.level.md)
+
+## DeprecationInfo.level property
+
+<b>Signature:</b>
+
+```typescript
+level: MIGRATION_DEPRECATION_LEVEL;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
index 252eec20d4a90..c27f5d3404c22 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md)
-
-## DeprecationInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [details](./kibana-plugin-server.deprecationinfo.details.md) | <code>string</code> |  |
-|  [level](./kibana-plugin-server.deprecationinfo.level.md) | <code>MIGRATION_DEPRECATION_LEVEL</code> |  |
-|  [message](./kibana-plugin-server.deprecationinfo.message.md) | <code>string</code> |  |
-|  [url](./kibana-plugin-server.deprecationinfo.url.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md)
+
+## DeprecationInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [details](./kibana-plugin-server.deprecationinfo.details.md) | <code>string</code> |  |
+|  [level](./kibana-plugin-server.deprecationinfo.level.md) | <code>MIGRATION_DEPRECATION_LEVEL</code> |  |
+|  [message](./kibana-plugin-server.deprecationinfo.message.md) | <code>string</code> |  |
+|  [url](./kibana-plugin-server.deprecationinfo.url.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
index 84b1bb05ce1a3..f027ac83f3b6e 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [message](./kibana-plugin-server.deprecationinfo.message.md)
-
-## DeprecationInfo.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [message](./kibana-plugin-server.deprecationinfo.message.md)
+
+## DeprecationInfo.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
index 26a955cb5b24e..4fdc9d544b7ff 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [url](./kibana-plugin-server.deprecationinfo.url.md)
-
-## DeprecationInfo.url property
-
-<b>Signature:</b>
-
-```typescript
-url: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [url](./kibana-plugin-server.deprecationinfo.url.md)
+
+## DeprecationInfo.url property
+
+<b>Signature:</b>
+
+```typescript
+url: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
index c0ef525834e64..4296d0d229988 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md)
-
-## DeprecationSettings.docLinksKey property
-
-Key to documentation links
-
-<b>Signature:</b>
-
-```typescript
-docLinksKey: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md)
+
+## DeprecationSettings.docLinksKey property
+
+Key to documentation links
+
+<b>Signature:</b>
+
+```typescript
+docLinksKey: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
index 3d93902fa7ad4..64a654c1bcea8 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md)
-
-## DeprecationSettings interface
-
-UiSettings deprecation field options.
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationSettings 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md) | <code>string</code> | Key to documentation links |
-|  [message](./kibana-plugin-server.deprecationsettings.message.md) | <code>string</code> | Deprecation message |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md)
+
+## DeprecationSettings interface
+
+UiSettings deprecation field options.
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationSettings 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md) | <code>string</code> | Key to documentation links |
+|  [message](./kibana-plugin-server.deprecationsettings.message.md) | <code>string</code> | Deprecation message |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
index 36825160368eb..ed52929c3551e 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [message](./kibana-plugin-server.deprecationsettings.message.md)
-
-## DeprecationSettings.message property
-
-Deprecation message
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [message](./kibana-plugin-server.deprecationsettings.message.md)
+
+## DeprecationSettings.message property
+
+Deprecation message
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
index d909907c2e1d6..4de20b9c6cccf 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [configPath](./kibana-plugin-server.discoveredplugin.configpath.md)
-
-## DiscoveredPlugin.configPath property
-
-Root configuration path used by the plugin, defaults to "id" in snake\_case format.
-
-<b>Signature:</b>
-
-```typescript
-readonly configPath: ConfigPath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [configPath](./kibana-plugin-server.discoveredplugin.configpath.md)
+
+## DiscoveredPlugin.configPath property
+
+Root configuration path used by the plugin, defaults to "id" in snake\_case format.
+
+<b>Signature:</b>
+
+```typescript
+readonly configPath: ConfigPath;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
index 4de45321d1b58..54287ba69556f 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [id](./kibana-plugin-server.discoveredplugin.id.md)
-
-## DiscoveredPlugin.id property
-
-Identifier of the plugin.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: PluginName;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [id](./kibana-plugin-server.discoveredplugin.id.md)
+
+## DiscoveredPlugin.id property
+
+Identifier of the plugin.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: PluginName;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
index 98931478da4af..ea13422458c7f 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md)
-
-## DiscoveredPlugin interface
-
-Small container object used to expose information about discovered plugins that may or may not have been started.
-
-<b>Signature:</b>
-
-```typescript
-export interface DiscoveredPlugin 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [configPath](./kibana-plugin-server.discoveredplugin.configpath.md) | <code>ConfigPath</code> | Root configuration path used by the plugin, defaults to "id" in snake\_case format. |
-|  [id](./kibana-plugin-server.discoveredplugin.id.md) | <code>PluginName</code> | Identifier of the plugin. |
-|  [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
-|  [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md)
+
+## DiscoveredPlugin interface
+
+Small container object used to expose information about discovered plugins that may or may not have been started.
+
+<b>Signature:</b>
+
+```typescript
+export interface DiscoveredPlugin 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [configPath](./kibana-plugin-server.discoveredplugin.configpath.md) | <code>ConfigPath</code> | Root configuration path used by the plugin, defaults to "id" in snake\_case format. |
+|  [id](./kibana-plugin-server.discoveredplugin.id.md) | <code>PluginName</code> | Identifier of the plugin. |
+|  [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
+|  [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
index 9fc91464ced6a..065b3db6a8b71 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md)
-
-## DiscoveredPlugin.optionalPlugins property
-
-An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly optionalPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md)
+
+## DiscoveredPlugin.optionalPlugins property
+
+An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly optionalPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
index 2bcab0077a153..185675f055ad5 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md)
-
-## DiscoveredPlugin.requiredPlugins property
-
-An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly requiredPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md)
+
+## DiscoveredPlugin.requiredPlugins property
+
+An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly requiredPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md b/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
index 97c01d16464e3..39e6ac428292b 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md)
-
-## ElasticsearchClientConfig type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ElasticsearchClientConfig = Pick<ConfigOptions, 'keepAlive' | 'log' | 'plugins'> & Pick<ElasticsearchConfig, 'apiVersion' | 'customHeaders' | 'logQueries' | 'requestHeadersWhitelist' | 'sniffOnStart' | 'sniffOnConnectionFault' | 'hosts' | 'username' | 'password'> & {
-    pingTimeout?: ElasticsearchConfig['pingTimeout'] | ConfigOptions['pingTimeout'];
-    requestTimeout?: ElasticsearchConfig['requestTimeout'] | ConfigOptions['requestTimeout'];
-    sniffInterval?: ElasticsearchConfig['sniffInterval'] | ConfigOptions['sniffInterval'];
-    ssl?: Partial<ElasticsearchConfig['ssl']>;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md)
+
+## ElasticsearchClientConfig type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ElasticsearchClientConfig = Pick<ConfigOptions, 'keepAlive' | 'log' | 'plugins'> & Pick<ElasticsearchConfig, 'apiVersion' | 'customHeaders' | 'logQueries' | 'requestHeadersWhitelist' | 'sniffOnStart' | 'sniffOnConnectionFault' | 'hosts' | 'username' | 'password'> & {
+    pingTimeout?: ElasticsearchConfig['pingTimeout'] | ConfigOptions['pingTimeout'];
+    requestTimeout?: ElasticsearchConfig['requestTimeout'] | ConfigOptions['requestTimeout'];
+    sniffInterval?: ElasticsearchConfig['sniffInterval'] | ConfigOptions['sniffInterval'];
+    ssl?: Partial<ElasticsearchConfig['ssl']>;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
index 6d072a6a98824..72556936db9be 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) &gt; [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md)
-
-## ElasticsearchError.\[code\] property
-
-<b>Signature:</b>
-
-```typescript
-[code]?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) &gt; [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md)
+
+## ElasticsearchError.\[code\] property
+
+<b>Signature:</b>
+
+```typescript
+[code]?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
index a13fe675303b8..9d9e21c44760c 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md)
-
-## ElasticsearchError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ElasticsearchError extends Boom 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md)
+
+## ElasticsearchError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ElasticsearchError extends Boom 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
index 75b03ff104a6c..de9223c688357 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md)
-
-## ElasticsearchErrorHelpers.decorateNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateNotAuthorizedError(error: Error, reason?: string): ElasticsearchError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ElasticsearchError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md)
+
+## ElasticsearchErrorHelpers.decorateNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateNotAuthorizedError(error: Error, reason?: string): ElasticsearchError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ElasticsearchError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
index f8ddd13431f20..6d6706ad2e767 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md)
-
-## ElasticsearchErrorHelpers.isNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotAuthorizedError(error: any): error is ElasticsearchError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`error is ElasticsearchError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md)
+
+## ElasticsearchErrorHelpers.isNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotAuthorizedError(error: any): error is ElasticsearchError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`error is ElasticsearchError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
index fd3e21e32ba21..2e615acfeac6b 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md)
-
-## ElasticsearchErrorHelpers class
-
-Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as `body.error.header[WWW-Authenticate]`
-
-<b>Signature:</b>
-
-```typescript
-export declare class ElasticsearchErrorHelpers 
-```
-
-## Example
-
-Handle errors
-
-```js
-try {
-  await client.asScoped(request).callAsCurrentUser(...);
-} catch (err) {
-  if (ElasticsearchErrorHelpers.isNotAuthorizedError(err)) {
-    const authHeader = err.output.headers['WWW-Authenticate'];
-  }
-
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
-|  [isNotAuthorizedError(error)](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md)
+
+## ElasticsearchErrorHelpers class
+
+Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as `body.error.header[WWW-Authenticate]`
+
+<b>Signature:</b>
+
+```typescript
+export declare class ElasticsearchErrorHelpers 
+```
+
+## Example
+
+Handle errors
+
+```js
+try {
+  await client.asScoped(request).callAsCurrentUser(...);
+} catch (err) {
+  if (ElasticsearchErrorHelpers.isNotAuthorizedError(err)) {
+    const authHeader = err.output.headers['WWW-Authenticate'];
+  }
+
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
+|  [isNotAuthorizedError(error)](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
index f9858b44b80ff..415423f555266 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md)
-
-## ElasticsearchServiceSetup.adminClient property
-
-A client for the `admin` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly adminClient: IClusterClient;
-```
-
-## Example
-
-
-```js
-const client = core.elasticsearch.adminClient;
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md)
+
+## ElasticsearchServiceSetup.adminClient property
+
+A client for the `admin` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly adminClient: IClusterClient;
+```
+
+## Example
+
+
+```js
+const client = core.elasticsearch.adminClient;
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
index 565ef1f7588e8..797f402cc2580 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md)
-
-## ElasticsearchServiceSetup.createClient property
-
-Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly createClient: (type: string, clientConfig?: Partial<ElasticsearchClientConfig>) => ICustomClusterClient;
-```
-
-## Example
-
-
-```js
-const client = elasticsearch.createCluster('my-app-name', config);
-const data = await client.callAsInternalUser();
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md)
+
+## ElasticsearchServiceSetup.createClient property
+
+Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly createClient: (type: string, clientConfig?: Partial<ElasticsearchClientConfig>) => ICustomClusterClient;
+```
+
+## Example
+
+
+```js
+const client = elasticsearch.createCluster('my-app-name', config);
+const data = await client.callAsInternalUser();
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
index 60ce859f8c109..e9845dce6915d 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md)
-
-## ElasticsearchServiceSetup.dataClient property
-
-A client for the `data` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly dataClient: IClusterClient;
-```
-
-## Example
-
-
-```js
-const client = core.elasticsearch.dataClient;
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md)
+
+## ElasticsearchServiceSetup.dataClient property
+
+A client for the `data` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly dataClient: IClusterClient;
+```
+
+## Example
+
+
+```js
+const client = core.elasticsearch.dataClient;
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
index 56221f905cbc1..2de3f6e6d1bbc 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
-
-## ElasticsearchServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ElasticsearchServiceSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md) | <code>IClusterClient</code> | A client for the <code>admin</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-|  [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md) | <code>(type: string, clientConfig?: Partial&lt;ElasticsearchClientConfig&gt;) =&gt; ICustomClusterClient</code> | Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-|  [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md) | <code>IClusterClient</code> | A client for the <code>data</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
+
+## ElasticsearchServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ElasticsearchServiceSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md) | <code>IClusterClient</code> | A client for the <code>admin</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+|  [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md) | <code>(type: string, clientConfig?: Partial&lt;ElasticsearchClientConfig&gt;) =&gt; ICustomClusterClient</code> | Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+|  [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md) | <code>IClusterClient</code> | A client for the <code>data</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md b/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
index 8e40310eeb86d..d60fcc58d1b60 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [dev](./kibana-plugin-server.environmentmode.dev.md)
-
-## EnvironmentMode.dev property
-
-<b>Signature:</b>
-
-```typescript
-dev: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [dev](./kibana-plugin-server.environmentmode.dev.md)
+
+## EnvironmentMode.dev property
+
+<b>Signature:</b>
+
+```typescript
+dev: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.md b/docs/development/core/server/kibana-plugin-server.environmentmode.md
index 89273b15deb01..b325f74a0a44f 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md)
-
-## EnvironmentMode interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface EnvironmentMode 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [dev](./kibana-plugin-server.environmentmode.dev.md) | <code>boolean</code> |  |
-|  [name](./kibana-plugin-server.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
-|  [prod](./kibana-plugin-server.environmentmode.prod.md) | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md)
+
+## EnvironmentMode interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface EnvironmentMode 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [dev](./kibana-plugin-server.environmentmode.dev.md) | <code>boolean</code> |  |
+|  [name](./kibana-plugin-server.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
+|  [prod](./kibana-plugin-server.environmentmode.prod.md) | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.name.md b/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
index 9b09be3ef7976..c3243075866f2 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [name](./kibana-plugin-server.environmentmode.name.md)
-
-## EnvironmentMode.name property
-
-<b>Signature:</b>
-
-```typescript
-name: 'development' | 'production';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [name](./kibana-plugin-server.environmentmode.name.md)
+
+## EnvironmentMode.name property
+
+<b>Signature:</b>
+
+```typescript
+name: 'development' | 'production';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md b/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
index 60ceef4d408c7..86a94775358e9 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [prod](./kibana-plugin-server.environmentmode.prod.md)
-
-## EnvironmentMode.prod property
-
-<b>Signature:</b>
-
-```typescript
-prod: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [prod](./kibana-plugin-server.environmentmode.prod.md)
+
+## EnvironmentMode.prod property
+
+<b>Signature:</b>
+
+```typescript
+prod: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
index 8e6656512fb0e..acc800ff4879e 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.errorhttpresponseoptions.body.md)
-
-## ErrorHttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: ResponseError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.errorhttpresponseoptions.body.md)
+
+## ErrorHttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: ResponseError;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
index df12976995732..4bf78f8325c13 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md)
-
-## ErrorHttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md)
+
+## ErrorHttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
index 338f948201b00..9a5c96881f26c 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md)
-
-## ErrorHttpResponseOptions interface
-
-HTTP response parameters
-
-<b>Signature:</b>
-
-```typescript
-export interface ErrorHttpResponseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.errorhttpresponseoptions.body.md) | <code>ResponseError</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md)
+
+## ErrorHttpResponseOptions interface
+
+HTTP response parameters
+
+<b>Signature:</b>
+
+```typescript
+export interface ErrorHttpResponseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.errorhttpresponseoptions.body.md) | <code>ResponseError</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md b/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
index a56588a1250d2..14cca9bc02ff8 100644
--- a/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md) &gt; [headers](./kibana-plugin-server.fakerequest.headers.md)
-
-## FakeRequest.headers property
-
-Headers used for authentication against Elasticsearch
-
-<b>Signature:</b>
-
-```typescript
-headers: Headers;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md) &gt; [headers](./kibana-plugin-server.fakerequest.headers.md)
+
+## FakeRequest.headers property
+
+Headers used for authentication against Elasticsearch
+
+<b>Signature:</b>
+
+```typescript
+headers: Headers;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.fakerequest.md b/docs/development/core/server/kibana-plugin-server.fakerequest.md
index 3c05e7418919e..a0ac5733c315b 100644
--- a/docs/development/core/server/kibana-plugin-server.fakerequest.md
+++ b/docs/development/core/server/kibana-plugin-server.fakerequest.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md)
-
-## FakeRequest interface
-
-Fake request object created manually by Kibana plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface FakeRequest 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [headers](./kibana-plugin-server.fakerequest.headers.md) | <code>Headers</code> | Headers used for authentication against Elasticsearch |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md)
+
+## FakeRequest interface
+
+Fake request object created manually by Kibana plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface FakeRequest 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [headers](./kibana-plugin-server.fakerequest.headers.md) | <code>Headers</code> | Headers used for authentication against Elasticsearch |
+
diff --git a/docs/development/core/server/kibana-plugin-server.getauthheaders.md b/docs/development/core/server/kibana-plugin-server.getauthheaders.md
index c56e2357a8b39..fba8b8ca8ee3a 100644
--- a/docs/development/core/server/kibana-plugin-server.getauthheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.getauthheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md)
-
-## GetAuthHeaders type
-
-Get headers to authenticate a user against Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-export declare type GetAuthHeaders = (request: KibanaRequest | LegacyRequest) => AuthHeaders | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md)
+
+## GetAuthHeaders type
+
+Get headers to authenticate a user against Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+export declare type GetAuthHeaders = (request: KibanaRequest | LegacyRequest) => AuthHeaders | undefined;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.getauthstate.md b/docs/development/core/server/kibana-plugin-server.getauthstate.md
index 4e96c776677fb..1980a81ec1910 100644
--- a/docs/development/core/server/kibana-plugin-server.getauthstate.md
+++ b/docs/development/core/server/kibana-plugin-server.getauthstate.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthState](./kibana-plugin-server.getauthstate.md)
-
-## GetAuthState type
-
-Gets authentication state for a request. Returned by `auth` interceptor.
-
-<b>Signature:</b>
-
-```typescript
-export declare type GetAuthState = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
-    status: AuthStatus;
-    state: T;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthState](./kibana-plugin-server.getauthstate.md)
+
+## GetAuthState type
+
+Gets authentication state for a request. Returned by `auth` interceptor.
+
+<b>Signature:</b>
+
+```typescript
+export declare type GetAuthState = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
+    status: AuthStatus;
+    state: T;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlercontexttype.md b/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
index cd59c2411cf86..e8f1f346e8b8e 100644
--- a/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
+++ b/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)
-
-## HandlerContextType type
-
-Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)
+
+## HandlerContextType type
+
+Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlerfunction.md b/docs/development/core/server/kibana-plugin-server.handlerfunction.md
index d24f7181d1d29..97acd37946fc9 100644
--- a/docs/development/core/server/kibana-plugin-server.handlerfunction.md
+++ b/docs/development/core/server/kibana-plugin-server.handlerfunction.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerFunction](./kibana-plugin-server.handlerfunction.md)
-
-## HandlerFunction type
-
-A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerFunction](./kibana-plugin-server.handlerfunction.md)
+
+## HandlerFunction type
+
+A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlerparameters.md b/docs/development/core/server/kibana-plugin-server.handlerparameters.md
index 40cc0b37b9251..3dd7998a71a1f 100644
--- a/docs/development/core/server/kibana-plugin-server.handlerparameters.md
+++ b/docs/development/core/server/kibana-plugin-server.handlerparameters.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerParameters](./kibana-plugin-server.handlerparameters.md)
-
-## HandlerParameters type
-
-Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerParameters](./kibana-plugin-server.handlerparameters.md)
+
+## HandlerParameters type
+
+Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.headers.md b/docs/development/core/server/kibana-plugin-server.headers.md
index 30798e4bfeb00..cd73d4de43b9d 100644
--- a/docs/development/core/server/kibana-plugin-server.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.headers.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Headers](./kibana-plugin-server.headers.md)
-
-## Headers type
-
-Http request headers to read.
-
-<b>Signature:</b>
-
-```typescript
-export declare type Headers = {
-    [header in KnownHeaders]?: string | string[] | undefined;
-} & {
-    [header: string]: string | string[] | undefined;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Headers](./kibana-plugin-server.headers.md)
+
+## Headers type
+
+Http request headers to read.
+
+<b>Signature:</b>
+
+```typescript
+export declare type Headers = {
+    [header in KnownHeaders]?: string | string[] | undefined;
+} & {
+    [header: string]: string | string[] | undefined;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
index 020c55c2c0874..fb663c3c878a7 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [body](./kibana-plugin-server.httpresponseoptions.body.md)
-
-## HttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: HttpResponsePayload;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [body](./kibana-plugin-server.httpresponseoptions.body.md)
+
+## HttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: HttpResponsePayload;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
index 4f66005e881d8..ee347f99a41a4 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [headers](./kibana-plugin-server.httpresponseoptions.headers.md)
-
-## HttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [headers](./kibana-plugin-server.httpresponseoptions.headers.md)
+
+## HttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
index c5cbe471f45e6..aa0e6cc40b861 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)
-
-## HttpResponseOptions interface
-
-HTTP response parameters
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpResponseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.httpresponseoptions.body.md) | <code>HttpResponsePayload</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.httpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)
+
+## HttpResponseOptions interface
+
+HTTP response parameters
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpResponseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.httpresponseoptions.body.md) | <code>HttpResponsePayload</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.httpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md b/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
index a2a8e28b1f33e..3dc4e2c7956f7 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md)
-
-## HttpResponsePayload type
-
-Data send to the client as a response payload.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HttpResponsePayload = undefined | string | Record<string, any> | Buffer | Stream;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md)
+
+## HttpResponsePayload type
+
+Data send to the client as a response payload.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HttpResponsePayload = undefined | string | Record<string, any> | Buffer | Stream;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
index 4ff7967a6a643..f08bb8b638e79 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [auth](./kibana-plugin-server.httpservicesetup.auth.md)
-
-## HttpServiceSetup.auth property
-
-<b>Signature:</b>
-
-```typescript
-auth: {
-        get: GetAuthState;
-        isAuthenticated: IsAuthenticated;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [auth](./kibana-plugin-server.httpservicesetup.auth.md)
+
+## HttpServiceSetup.auth property
+
+<b>Signature:</b>
+
+```typescript
+auth: {
+        get: GetAuthState;
+        isAuthenticated: IsAuthenticated;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
index 81221f303b566..61390773bd726 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [basePath](./kibana-plugin-server.httpservicesetup.basepath.md)
-
-## HttpServiceSetup.basePath property
-
-Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-basePath: IBasePath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [basePath](./kibana-plugin-server.httpservicesetup.basepath.md)
+
+## HttpServiceSetup.basePath property
+
+Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+basePath: IBasePath;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
index 1aabee9d255b4..4771836bea477 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md)
-
-## HttpServiceSetup.createCookieSessionStorageFactory property
-
-Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
-
-<b>Signature:</b>
-
-```typescript
-createCookieSessionStorageFactory: <T>(cookieOptions: SessionStorageCookieOptions<T>) => Promise<SessionStorageFactory<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md)
+
+## HttpServiceSetup.createCookieSessionStorageFactory property
+
+Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
+
+<b>Signature:</b>
+
+```typescript
+createCookieSessionStorageFactory: <T>(cookieOptions: SessionStorageCookieOptions<T>) => Promise<SessionStorageFactory<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
index ea0850fa01c53..71a7fd8fb6a22 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md)
-
-## HttpServiceSetup.createRouter property
-
-Provides ability to declare a handler function for a particular path and HTTP request method.
-
-<b>Signature:</b>
-
-```typescript
-createRouter: () => IRouter;
-```
-
-## Remarks
-
-Each route can have only one handler function, which is executed when the route is matched. See the [IRouter](./kibana-plugin-server.irouter.md) documentation for more information.
-
-## Example
-
-
-```ts
-const router = createRouter();
-// handler is called when '/path' resource is requested with `GET` method
-router.get({ path: '/path', validate: false }, (context, req, res) => res.ok({ content: 'ok' }));
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md)
+
+## HttpServiceSetup.createRouter property
+
+Provides ability to declare a handler function for a particular path and HTTP request method.
+
+<b>Signature:</b>
+
+```typescript
+createRouter: () => IRouter;
+```
+
+## Remarks
+
+Each route can have only one handler function, which is executed when the route is matched. See the [IRouter](./kibana-plugin-server.irouter.md) documentation for more information.
+
+## Example
+
+
+```ts
+const router = createRouter();
+// handler is called when '/path' resource is requested with `GET` method
+router.get({ path: '/path', validate: false }, (context, req, res) => res.ok({ content: 'ok' }));
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
index cc1a2ba7136a1..7bf83305613ea 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [csp](./kibana-plugin-server.httpservicesetup.csp.md)
-
-## HttpServiceSetup.csp property
-
-The CSP config used for Kibana.
-
-<b>Signature:</b>
-
-```typescript
-csp: ICspConfig;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [csp](./kibana-plugin-server.httpservicesetup.csp.md)
+
+## HttpServiceSetup.csp property
+
+The CSP config used for Kibana.
+
+<b>Signature:</b>
+
+```typescript
+csp: ICspConfig;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
index 2d5a8e9ea791b..06a99e8bf3013 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md)
-
-## HttpServiceSetup.isTlsEnabled property
-
-Flag showing whether a server was configured to use TLS connection.
-
-<b>Signature:</b>
-
-```typescript
-isTlsEnabled: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md)
+
+## HttpServiceSetup.isTlsEnabled property
+
+Flag showing whether a server was configured to use TLS connection.
+
+<b>Signature:</b>
+
+```typescript
+isTlsEnabled: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
index 2a4b0e09977c1..95a95175672c7 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
@@ -1,95 +1,95 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
-
-## HttpServiceSetup interface
-
-Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to `hapi` server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpServiceSetup 
-```
-
-## Example
-
-To handle an incoming request in your plugin you should: - Create a `Router` instance.
-
-```ts
-const router = httpSetup.createRouter();
-
-```
-- Use `@kbn/config-schema` package to create a schema to validate the request `params`<!-- -->, `query`<!-- -->, and `body`<!-- -->. Every incoming request will be validated against the created schema. If validation failed, the request is rejected with `400` status and `Bad request` error without calling the route's handler. To opt out of validating the request, specify `false`<!-- -->.
-
-```ts
-import { schema, TypeOf } from '@kbn/config-schema';
-const validate = {
-  params: schema.object({
-    id: schema.string(),
-  }),
-};
-
-```
-- Declare a function to respond to incoming request. The function will receive `request` object containing request details: url, headers, matched route, as well as validated `params`<!-- -->, `query`<!-- -->, `body`<!-- -->. And `response` object instructing HTTP server to create HTTP response with information sent back to the client as the response body, headers, and HTTP status. Unlike, `hapi` route handler in the Legacy platform, any exception raised during the handler call will generate `500 Server error` response and log error details for further investigation. See below for returning custom error responses.
-
-```ts
-const handler = async (context: RequestHandlerContext, request: KibanaRequest, response: ResponseFactory) => {
-  const data = await findObject(request.params.id);
-  // creates a command to respond with 'not found' error
-  if (!data) return response.notFound();
-  // creates a command to send found data to the client and set response headers
-  return response.ok({
-    body: data,
-    headers: {
-      'content-type': 'application/json'
-    }
-  });
-}
-
-```
-- Register route handler for GET request to 'path/<!-- -->{<!-- -->id<!-- -->}<!-- -->' path
-
-```ts
-import { schema, TypeOf } from '@kbn/config-schema';
-const router = httpSetup.createRouter();
-
-const validate = {
-  params: schema.object({
-    id: schema.string(),
-  }),
-};
-
-router.get({
-  path: 'path/{id}',
-  validate
-},
-async (context, request, response) => {
-  const data = await findObject(request.params.id);
-  if (!data) return response.notFound();
-  return response.ok({
-    body: data,
-    headers: {
-      'content-type': 'application/json'
-    }
-  });
-});
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [auth](./kibana-plugin-server.httpservicesetup.auth.md) | <code>{</code><br/><code>        get: GetAuthState;</code><br/><code>        isAuthenticated: IsAuthenticated;</code><br/><code>    }</code> |  |
-|  [basePath](./kibana-plugin-server.httpservicesetup.basepath.md) | <code>IBasePath</code> | Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->. |
-|  [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md) | <code>&lt;T&gt;(cookieOptions: SessionStorageCookieOptions&lt;T&gt;) =&gt; Promise&lt;SessionStorageFactory&lt;T&gt;&gt;</code> | Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) |
-|  [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md) | <code>() =&gt; IRouter</code> | Provides ability to declare a handler function for a particular path and HTTP request method. |
-|  [csp](./kibana-plugin-server.httpservicesetup.csp.md) | <code>ICspConfig</code> | The CSP config used for Kibana. |
-|  [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md) | <code>boolean</code> | Flag showing whether a server was configured to use TLS connection. |
-|  [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md) | <code>(handler: AuthenticationHandler) =&gt; void</code> | To define custom authentication and/or authorization mechanism for incoming requests. |
-|  [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md) | <code>(handler: OnPostAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
-|  [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md) | <code>(handler: OnPreAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
-|  [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md) | <code>(handler: OnPreResponseHandler) =&gt; void</code> | To define custom logic to perform for the server response. |
-|  [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md) | <code>&lt;T extends keyof RequestHandlerContext&gt;(contextName: T, provider: RequestHandlerContextProvider&lt;T&gt;) =&gt; RequestHandlerContextContainer</code> | Register a context provider for a route handler. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
+
+## HttpServiceSetup interface
+
+Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to `hapi` server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpServiceSetup 
+```
+
+## Example
+
+To handle an incoming request in your plugin you should: - Create a `Router` instance.
+
+```ts
+const router = httpSetup.createRouter();
+
+```
+- Use `@kbn/config-schema` package to create a schema to validate the request `params`<!-- -->, `query`<!-- -->, and `body`<!-- -->. Every incoming request will be validated against the created schema. If validation failed, the request is rejected with `400` status and `Bad request` error without calling the route's handler. To opt out of validating the request, specify `false`<!-- -->.
+
+```ts
+import { schema, TypeOf } from '@kbn/config-schema';
+const validate = {
+  params: schema.object({
+    id: schema.string(),
+  }),
+};
+
+```
+- Declare a function to respond to incoming request. The function will receive `request` object containing request details: url, headers, matched route, as well as validated `params`<!-- -->, `query`<!-- -->, `body`<!-- -->. And `response` object instructing HTTP server to create HTTP response with information sent back to the client as the response body, headers, and HTTP status. Unlike, `hapi` route handler in the Legacy platform, any exception raised during the handler call will generate `500 Server error` response and log error details for further investigation. See below for returning custom error responses.
+
+```ts
+const handler = async (context: RequestHandlerContext, request: KibanaRequest, response: ResponseFactory) => {
+  const data = await findObject(request.params.id);
+  // creates a command to respond with 'not found' error
+  if (!data) return response.notFound();
+  // creates a command to send found data to the client and set response headers
+  return response.ok({
+    body: data,
+    headers: {
+      'content-type': 'application/json'
+    }
+  });
+}
+
+```
+- Register route handler for GET request to 'path/<!-- -->{<!-- -->id<!-- -->}<!-- -->' path
+
+```ts
+import { schema, TypeOf } from '@kbn/config-schema';
+const router = httpSetup.createRouter();
+
+const validate = {
+  params: schema.object({
+    id: schema.string(),
+  }),
+};
+
+router.get({
+  path: 'path/{id}',
+  validate
+},
+async (context, request, response) => {
+  const data = await findObject(request.params.id);
+  if (!data) return response.notFound();
+  return response.ok({
+    body: data,
+    headers: {
+      'content-type': 'application/json'
+    }
+  });
+});
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [auth](./kibana-plugin-server.httpservicesetup.auth.md) | <code>{</code><br/><code>        get: GetAuthState;</code><br/><code>        isAuthenticated: IsAuthenticated;</code><br/><code>    }</code> |  |
+|  [basePath](./kibana-plugin-server.httpservicesetup.basepath.md) | <code>IBasePath</code> | Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->. |
+|  [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md) | <code>&lt;T&gt;(cookieOptions: SessionStorageCookieOptions&lt;T&gt;) =&gt; Promise&lt;SessionStorageFactory&lt;T&gt;&gt;</code> | Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) |
+|  [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md) | <code>() =&gt; IRouter</code> | Provides ability to declare a handler function for a particular path and HTTP request method. |
+|  [csp](./kibana-plugin-server.httpservicesetup.csp.md) | <code>ICspConfig</code> | The CSP config used for Kibana. |
+|  [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md) | <code>boolean</code> | Flag showing whether a server was configured to use TLS connection. |
+|  [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md) | <code>(handler: AuthenticationHandler) =&gt; void</code> | To define custom authentication and/or authorization mechanism for incoming requests. |
+|  [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md) | <code>(handler: OnPostAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
+|  [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md) | <code>(handler: OnPreAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
+|  [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md) | <code>(handler: OnPreResponseHandler) =&gt; void</code> | To define custom logic to perform for the server response. |
+|  [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md) | <code>&lt;T extends keyof RequestHandlerContext&gt;(contextName: T, provider: RequestHandlerContextProvider&lt;T&gt;) =&gt; RequestHandlerContextContainer</code> | Register a context provider for a route handler. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
index 1258f8e83bafd..be3da1ca1131f 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md)
-
-## HttpServiceSetup.registerAuth property
-
-To define custom authentication and/or authorization mechanism for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerAuth: (handler: AuthenticationHandler) => void;
-```
-
-## Remarks
-
-A handler should return a state to associate with the incoming request. The state can be retrieved later via http.auth.get(..) Only one AuthenticationHandler can be registered. See [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md)
+
+## HttpServiceSetup.registerAuth property
+
+To define custom authentication and/or authorization mechanism for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerAuth: (handler: AuthenticationHandler) => void;
+```
+
+## Remarks
+
+A handler should return a state to associate with the incoming request. The state can be retrieved later via http.auth.get(..) Only one AuthenticationHandler can be registered. See [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
index f1849192919b9..a3f875c999af1 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md)
-
-## HttpServiceSetup.registerOnPostAuth property
-
-To define custom logic to perform for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPostAuth: (handler: OnPostAuthHandler) => void;
-```
-
-## Remarks
-
-Runs the handler after Auth interceptor did make sure a user has access to the requested resource. The auth state is available at stage via http.auth.get(..) Can register any number of registerOnPreAuth, which are called in sequence (from the first registered to the last). See [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md)
+
+## HttpServiceSetup.registerOnPostAuth property
+
+To define custom logic to perform for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPostAuth: (handler: OnPostAuthHandler) => void;
+```
+
+## Remarks
+
+Runs the handler after Auth interceptor did make sure a user has access to the requested resource. The auth state is available at stage via http.auth.get(..) Can register any number of registerOnPreAuth, which are called in sequence (from the first registered to the last). See [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
index 25462081548e7..4c7b688619319 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md)
-
-## HttpServiceSetup.registerOnPreAuth property
-
-To define custom logic to perform for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPreAuth: (handler: OnPreAuthHandler) => void;
-```
-
-## Remarks
-
-Runs the handler before Auth interceptor performs a check that user has access to requested resources, so it's the only place when you can forward a request to another URL right on the server. Can register any number of registerOnPostAuth, which are called in sequence (from the first registered to the last). See [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md)
+
+## HttpServiceSetup.registerOnPreAuth property
+
+To define custom logic to perform for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPreAuth: (handler: OnPreAuthHandler) => void;
+```
+
+## Remarks
+
+Runs the handler before Auth interceptor performs a check that user has access to requested resources, so it's the only place when you can forward a request to another URL right on the server. Can register any number of registerOnPostAuth, which are called in sequence (from the first registered to the last). See [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
index 25248066cbc25..9f0eaae8830e1 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md)
-
-## HttpServiceSetup.registerOnPreResponse property
-
-To define custom logic to perform for the server response.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPreResponse: (handler: OnPreResponseHandler) => void;
-```
-
-## Remarks
-
-Doesn't provide the whole response object. Supports extending response with custom headers. See [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md)
+
+## HttpServiceSetup.registerOnPreResponse property
+
+To define custom logic to perform for the server response.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPreResponse: (handler: OnPreResponseHandler) => void;
+```
+
+## Remarks
+
+Doesn't provide the whole response object. Supports extending response with custom headers. See [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
index 69358cbf975bc..339f2eb329c7b 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md)
-
-## HttpServiceSetup.registerRouteHandlerContext property
-
-Register a context provider for a route handler.
-
-<b>Signature:</b>
-
-```typescript
-registerRouteHandlerContext: <T extends keyof RequestHandlerContext>(contextName: T, provider: RequestHandlerContextProvider<T>) => RequestHandlerContextContainer;
-```
-
-## Example
-
-
-```ts
- // my-plugin.ts
- deps.http.registerRouteHandlerContext(
-   'myApp',
-   (context, req) => {
-    async function search (id: string) {
-      return await context.elasticsearch.adminClient.callAsInternalUser('endpoint', id);
-    }
-    return { search };
-   }
- );
-
-// my-route-handler.ts
- router.get({ path: '/', validate: false }, async (context, req, res) => {
-   const response = await context.myApp.search(...);
-   return res.ok(response);
- });
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md)
+
+## HttpServiceSetup.registerRouteHandlerContext property
+
+Register a context provider for a route handler.
+
+<b>Signature:</b>
+
+```typescript
+registerRouteHandlerContext: <T extends keyof RequestHandlerContext>(contextName: T, provider: RequestHandlerContextProvider<T>) => RequestHandlerContextContainer;
+```
+
+## Example
+
+
+```ts
+ // my-plugin.ts
+ deps.http.registerRouteHandlerContext(
+   'myApp',
+   (context, req) => {
+    async function search (id: string) {
+      return await context.elasticsearch.adminClient.callAsInternalUser('endpoint', id);
+    }
+    return { search };
+   }
+ );
+
+// my-route-handler.ts
+ router.get({ path: '/', validate: false }, async (context, req, res) => {
+   const response = await context.myApp.search(...);
+   return res.ok(response);
+ });
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md b/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
index 2453a6abd2d22..2818d6ead2c23 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) &gt; [isListening](./kibana-plugin-server.httpservicestart.islistening.md)
-
-## HttpServiceStart.isListening property
-
-Indicates if http server is listening on a given port
-
-<b>Signature:</b>
-
-```typescript
-isListening: (port: number) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) &gt; [isListening](./kibana-plugin-server.httpservicestart.islistening.md)
+
+## HttpServiceStart.isListening property
+
+Indicates if http server is listening on a given port
+
+<b>Signature:</b>
+
+```typescript
+isListening: (port: number) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicestart.md b/docs/development/core/server/kibana-plugin-server.httpservicestart.md
index 47d6a4d146686..2c9c4c8408f6b 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md)
-
-## HttpServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isListening](./kibana-plugin-server.httpservicestart.islistening.md) | <code>(port: number) =&gt; boolean</code> | Indicates if http server is listening on a given port |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md)
+
+## HttpServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isListening](./kibana-plugin-server.httpservicestart.islistening.md) | <code>(port: number) =&gt; boolean</code> | Indicates if http server is listening on a given port |
+
diff --git a/docs/development/core/server/kibana-plugin-server.ibasepath.md b/docs/development/core/server/kibana-plugin-server.ibasepath.md
index d2779a49d3e21..2baa8d623ce97 100644
--- a/docs/development/core/server/kibana-plugin-server.ibasepath.md
+++ b/docs/development/core/server/kibana-plugin-server.ibasepath.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IBasePath](./kibana-plugin-server.ibasepath.md)
-
-## IBasePath type
-
-Access or manipulate the Kibana base path
-
-[BasePath](./kibana-plugin-server.basepath.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type IBasePath = Pick<BasePath, keyof BasePath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IBasePath](./kibana-plugin-server.ibasepath.md)
+
+## IBasePath type
+
+Access or manipulate the Kibana base path
+
+[BasePath](./kibana-plugin-server.basepath.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type IBasePath = Pick<BasePath, keyof BasePath>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iclusterclient.md b/docs/development/core/server/kibana-plugin-server.iclusterclient.md
index a78ebb1400fdd..e7435a9d91a74 100644
--- a/docs/development/core/server/kibana-plugin-server.iclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IClusterClient](./kibana-plugin-server.iclusterclient.md)
-
-## IClusterClient type
-
-Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'asScoped'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IClusterClient](./kibana-plugin-server.iclusterclient.md)
+
+## IClusterClient type
+
+Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'asScoped'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
index 7bc18e819ae44..09a9e28d6d0fe 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-server.icontextcontainer.createhandler.md)
-
-## IContextContainer.createHandler() method
-
-Create a new handler function pre-wired to context for the plugin.
-
-<b>Signature:</b>
-
-```typescript
-createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
-|  handler | <code>THandler</code> | Handler function to pass context object to. |
-
-<b>Returns:</b>
-
-`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
-
-A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-server.icontextcontainer.createhandler.md)
+
+## IContextContainer.createHandler() method
+
+Create a new handler function pre-wired to context for the plugin.
+
+<b>Signature:</b>
+
+```typescript
+createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
+|  handler | <code>THandler</code> | Handler function to pass context object to. |
+
+<b>Returns:</b>
+
+`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
+
+A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
index b54b84070b1f8..8235c40131536 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
@@ -1,80 +1,80 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
-
-## IContextContainer interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface IContextContainer<THandler extends HandlerFunction<any>> 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-server.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
-|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-server.icontextcontainer.registercontext.md) | Register a new context provider. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
+
+## IContextContainer interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface IContextContainer<THandler extends HandlerFunction<any>> 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-server.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
+|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-server.icontextcontainer.registercontext.md) | Register a new context provider. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
index ee2cffdf155a7..30d3fc154d1e9 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-server.icontextcontainer.registercontext.md)
-
-## IContextContainer.registerContext() method
-
-Register a new context provider.
-
-<b>Signature:</b>
-
-```typescript
-registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
-|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
-|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-server.icontextprovider.md) to be called each time a new context is created. |
-
-<b>Returns:</b>
-
-`this`
-
-The [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for method chaining.
-
-## Remarks
-
-The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
-
-Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-server.icontextcontainer.registercontext.md)
+
+## IContextContainer.registerContext() method
+
+Register a new context provider.
+
+<b>Signature:</b>
+
+```typescript
+registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
+|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
+|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-server.icontextprovider.md) to be called each time a new context is created. |
+
+<b>Returns:</b>
+
+`this`
+
+The [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for method chaining.
+
+## Remarks
+
+The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
+
+Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextprovider.md b/docs/development/core/server/kibana-plugin-server.icontextprovider.md
index 63c4e1a0f9acf..39ace8b9bc57e 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextprovider.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextProvider](./kibana-plugin-server.icontextprovider.md)
-
-## IContextProvider type
-
-A function that returns a context value for a specific key of given context type.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
-```
-
-## Remarks
-
-This function will be called each time a new context is built for a handler invocation.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextProvider](./kibana-plugin-server.icontextprovider.md)
+
+## IContextProvider type
+
+A function that returns a context value for a specific key of given context type.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
+```
+
+## Remarks
+
+This function will be called each time a new context is built for a handler invocation.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.header.md b/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
index 444b79b86eb93..d757863fdc12d 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [header](./kibana-plugin-server.icspconfig.header.md)
-
-## ICspConfig.header property
-
-The CSP rules in a formatted directives string for use in a `Content-Security-Policy` header.
-
-<b>Signature:</b>
-
-```typescript
-readonly header: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [header](./kibana-plugin-server.icspconfig.header.md)
+
+## ICspConfig.header property
+
+The CSP rules in a formatted directives string for use in a `Content-Security-Policy` header.
+
+<b>Signature:</b>
+
+```typescript
+readonly header: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.md b/docs/development/core/server/kibana-plugin-server.icspconfig.md
index 5d14c20bd8973..fb8188386a376 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md)
-
-## ICspConfig interface
-
-CSP configuration for use in Kibana.
-
-<b>Signature:</b>
-
-```typescript
-export interface ICspConfig 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [header](./kibana-plugin-server.icspconfig.header.md) | <code>string</code> | The CSP rules in a formatted directives string for use in a <code>Content-Security-Policy</code> header. |
-|  [rules](./kibana-plugin-server.icspconfig.rules.md) | <code>string[]</code> | The CSP rules used for Kibana. |
-|  [strict](./kibana-plugin-server.icspconfig.strict.md) | <code>boolean</code> | Specify whether browsers that do not support CSP should be able to use Kibana. Use <code>true</code> to block and <code>false</code> to allow. |
-|  [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md) | <code>boolean</code> | Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md)
+
+## ICspConfig interface
+
+CSP configuration for use in Kibana.
+
+<b>Signature:</b>
+
+```typescript
+export interface ICspConfig 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [header](./kibana-plugin-server.icspconfig.header.md) | <code>string</code> | The CSP rules in a formatted directives string for use in a <code>Content-Security-Policy</code> header. |
+|  [rules](./kibana-plugin-server.icspconfig.rules.md) | <code>string[]</code> | The CSP rules used for Kibana. |
+|  [strict](./kibana-plugin-server.icspconfig.strict.md) | <code>boolean</code> | Specify whether browsers that do not support CSP should be able to use Kibana. Use <code>true</code> to block and <code>false</code> to allow. |
+|  [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md) | <code>boolean</code> | Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md b/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
index 04276e2148a79..6216e6d817136 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [rules](./kibana-plugin-server.icspconfig.rules.md)
-
-## ICspConfig.rules property
-
-The CSP rules used for Kibana.
-
-<b>Signature:</b>
-
-```typescript
-readonly rules: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [rules](./kibana-plugin-server.icspconfig.rules.md)
+
+## ICspConfig.rules property
+
+The CSP rules used for Kibana.
+
+<b>Signature:</b>
+
+```typescript
+readonly rules: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md b/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
index 88b25d9c7ea84..4ab97ad9f665a 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [strict](./kibana-plugin-server.icspconfig.strict.md)
-
-## ICspConfig.strict property
-
-Specify whether browsers that do not support CSP should be able to use Kibana. Use `true` to block and `false` to allow.
-
-<b>Signature:</b>
-
-```typescript
-readonly strict: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [strict](./kibana-plugin-server.icspconfig.strict.md)
+
+## ICspConfig.strict property
+
+Specify whether browsers that do not support CSP should be able to use Kibana. Use `true` to block and `false` to allow.
+
+<b>Signature:</b>
+
+```typescript
+readonly strict: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md b/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
index b6cd70a7c16e5..aea35f0569448 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md)
-
-## ICspConfig.warnLegacyBrowsers property
-
-Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance.
-
-<b>Signature:</b>
-
-```typescript
-readonly warnLegacyBrowsers: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md)
+
+## ICspConfig.warnLegacyBrowsers property
+
+Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance.
+
+<b>Signature:</b>
+
+```typescript
+readonly warnLegacyBrowsers: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md b/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
index 888d4a1aa3454..d7511a119fc0f 100644
--- a/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md)
-
-## ICustomClusterClient type
-
-Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ICustomClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'close' | 'asScoped'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md)
+
+## ICustomClusterClient type
+
+Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ICustomClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'close' | 'asScoped'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
index 6c1ded748cf54..4971d6eb97a28 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md)
-
-## IKibanaResponse interface
-
-A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution
-
-<b>Signature:</b>
-
-```typescript
-export interface IKibanaResponse<T extends HttpResponsePayload | ResponseError = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [options](./kibana-plugin-server.ikibanaresponse.options.md) | <code>HttpResponseOptions</code> |  |
-|  [payload](./kibana-plugin-server.ikibanaresponse.payload.md) | <code>T</code> |  |
-|  [status](./kibana-plugin-server.ikibanaresponse.status.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md)
+
+## IKibanaResponse interface
+
+A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution
+
+<b>Signature:</b>
+
+```typescript
+export interface IKibanaResponse<T extends HttpResponsePayload | ResponseError = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [options](./kibana-plugin-server.ikibanaresponse.options.md) | <code>HttpResponseOptions</code> |  |
+|  [payload](./kibana-plugin-server.ikibanaresponse.payload.md) | <code>T</code> |  |
+|  [status](./kibana-plugin-server.ikibanaresponse.status.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
index 0d14a4ac2d873..988d873c088fe 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [options](./kibana-plugin-server.ikibanaresponse.options.md)
-
-## IKibanaResponse.options property
-
-<b>Signature:</b>
-
-```typescript
-readonly options: HttpResponseOptions;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [options](./kibana-plugin-server.ikibanaresponse.options.md)
+
+## IKibanaResponse.options property
+
+<b>Signature:</b>
+
+```typescript
+readonly options: HttpResponseOptions;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
index 8285a68e7780b..f1d10c5d22a42 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [payload](./kibana-plugin-server.ikibanaresponse.payload.md)
-
-## IKibanaResponse.payload property
-
-<b>Signature:</b>
-
-```typescript
-readonly payload?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [payload](./kibana-plugin-server.ikibanaresponse.payload.md)
+
+## IKibanaResponse.payload property
+
+<b>Signature:</b>
+
+```typescript
+readonly payload?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
index 5ffc8330aadf9..b766ff66c357f 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [status](./kibana-plugin-server.ikibanaresponse.status.md)
-
-## IKibanaResponse.status property
-
-<b>Signature:</b>
-
-```typescript
-readonly status: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [status](./kibana-plugin-server.ikibanaresponse.status.md)
+
+## IKibanaResponse.status property
+
+<b>Signature:</b>
+
+```typescript
+readonly status: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
index aa1d72f5f104c..0629b8e2b9ade 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md)
-
-## IKibanaSocket.authorizationError property
-
-The reason why the peer's certificate has not been verified. This property becomes available only when `authorized` is `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly authorizationError?: Error;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md)
+
+## IKibanaSocket.authorizationError property
+
+The reason why the peer's certificate has not been verified. This property becomes available only when `authorized` is `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly authorizationError?: Error;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
index 8cd608e4ea611..abb68f8e8f0e0 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorized](./kibana-plugin-server.ikibanasocket.authorized.md)
-
-## IKibanaSocket.authorized property
-
-Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is `undefined`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly authorized?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorized](./kibana-plugin-server.ikibanasocket.authorized.md)
+
+## IKibanaSocket.authorized property
+
+Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is `undefined`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly authorized?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
index e1b07393cd92d..8bd8f900579ea 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed: true): DetailedPeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>true</code> |  |
-
-<b>Returns:</b>
-
-`DetailedPeerCertificate | null`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed: true): DetailedPeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>true</code> |  |
+
+<b>Returns:</b>
+
+`DetailedPeerCertificate | null`
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
index 90e02fd5c53bb..5ac763032e72b 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed: false): PeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>false</code> |  |
-
-<b>Returns:</b>
-
-`PeerCertificate | null`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed: false): PeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>false</code> |  |
+
+<b>Returns:</b>
+
+`PeerCertificate | null`
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
index 20a99d1639fdd..19d2dc137d257 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null.
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed?: boolean): PeerCertificate | DetailedPeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>boolean</code> | If true; the full chain with issuer property will be returned. |
-
-<b>Returns:</b>
-
-`PeerCertificate | DetailedPeerCertificate | null`
-
-An object representing the peer's certificate.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null.
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed?: boolean): PeerCertificate | DetailedPeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>boolean</code> | If true; the full chain with issuer property will be returned. |
+
+<b>Returns:</b>
+
+`PeerCertificate | DetailedPeerCertificate | null`
+
+An object representing the peer's certificate.
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
index d69e194d2246b..2718111fb0fb3 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
-
-## IKibanaSocket interface
-
-A tiny abstraction for TCP socket.
-
-<b>Signature:</b>
-
-```typescript
-export interface IKibanaSocket 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md) | <code>Error</code> | The reason why the peer's certificate has not been verified. This property becomes available only when <code>authorized</code> is <code>false</code>. |
-|  [authorized](./kibana-plugin-server.ikibanasocket.authorized.md) | <code>boolean</code> | Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is <code>undefined</code>. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate.md) |  |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md) |  |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md) | Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
+
+## IKibanaSocket interface
+
+A tiny abstraction for TCP socket.
+
+<b>Signature:</b>
+
+```typescript
+export interface IKibanaSocket 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md) | <code>Error</code> | The reason why the peer's certificate has not been verified. This property becomes available only when <code>authorized</code> is <code>false</code>. |
+|  [authorized](./kibana-plugin-server.ikibanasocket.authorized.md) | <code>boolean</code> | Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is <code>undefined</code>. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate.md) |  |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md) |  |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md) | Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md b/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
index 058c9f61c206b..9b03924ad2e0f 100644
--- a/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
+++ b/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md) &gt; [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md)
-
-## ImageValidation.maxSize property
-
-<b>Signature:</b>
-
-```typescript
-maxSize: {
-        length: number;
-        description: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md) &gt; [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md)
+
+## ImageValidation.maxSize property
+
+<b>Signature:</b>
+
+```typescript
+maxSize: {
+        length: number;
+        description: string;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.imagevalidation.md b/docs/development/core/server/kibana-plugin-server.imagevalidation.md
index cd39b6ef4e796..0c3e59cc783f9 100644
--- a/docs/development/core/server/kibana-plugin-server.imagevalidation.md
+++ b/docs/development/core/server/kibana-plugin-server.imagevalidation.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md)
-
-## ImageValidation interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ImageValidation 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md)
+
+## ImageValidation interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ImageValidation 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md b/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
index 800f9c4298426..66b15e532e2ad 100644
--- a/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md)
-
-## IndexSettingsDeprecationInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IndexSettingsDeprecationInfo 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md)
+
+## IndexSettingsDeprecationInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IndexSettingsDeprecationInfo 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md b/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
index a3ae5724b1854..cedf3d27d0887 100644
--- a/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
+++ b/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md) &gt; [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md)
-
-## IRenderOptions.includeUserSettings property
-
-Set whether to output user settings in the page metadata. `true` by default.
-
-<b>Signature:</b>
-
-```typescript
-includeUserSettings?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md) &gt; [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md)
+
+## IRenderOptions.includeUserSettings property
+
+Set whether to output user settings in the page metadata. `true` by default.
+
+<b>Signature:</b>
+
+```typescript
+includeUserSettings?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irenderoptions.md b/docs/development/core/server/kibana-plugin-server.irenderoptions.md
index 27e462b58849d..34bed8b5e078c 100644
--- a/docs/development/core/server/kibana-plugin-server.irenderoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.irenderoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md)
-
-## IRenderOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IRenderOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md) | <code>boolean</code> | Set whether to output user settings in the page metadata. <code>true</code> by default. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md)
+
+## IRenderOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IRenderOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md) | <code>boolean</code> | Set whether to output user settings in the page metadata. <code>true</code> by default. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.delete.md b/docs/development/core/server/kibana-plugin-server.irouter.delete.md
index 0b87dbcda3316..a479c03ecede3 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [delete](./kibana-plugin-server.irouter.delete.md)
-
-## IRouter.delete property
-
-Register a route handler for `DELETE` request.
-
-<b>Signature:</b>
-
-```typescript
-delete: RouteRegistrar<'delete'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [delete](./kibana-plugin-server.irouter.delete.md)
+
+## IRouter.delete property
+
+Register a route handler for `DELETE` request.
+
+<b>Signature:</b>
+
+```typescript
+delete: RouteRegistrar<'delete'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.get.md b/docs/development/core/server/kibana-plugin-server.irouter.get.md
index e6f80378e007d..0d52ef26f008c 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.get.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [get](./kibana-plugin-server.irouter.get.md)
-
-## IRouter.get property
-
-Register a route handler for `GET` request.
-
-<b>Signature:</b>
-
-```typescript
-get: RouteRegistrar<'get'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [get](./kibana-plugin-server.irouter.get.md)
+
+## IRouter.get property
+
+Register a route handler for `GET` request.
+
+<b>Signature:</b>
+
+```typescript
+get: RouteRegistrar<'get'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md b/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
index 86679d1f0c0c0..ff71f13466cf8 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md)
-
-## IRouter.handleLegacyErrors property
-
-Wrap a router handler to catch and converts legacy boom errors to proper custom errors.
-
-<b>Signature:</b>
-
-```typescript
-handleLegacyErrors: <P, Q, B>(handler: RequestHandler<P, Q, B>) => RequestHandler<P, Q, B>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md)
+
+## IRouter.handleLegacyErrors property
+
+Wrap a router handler to catch and converts legacy boom errors to proper custom errors.
+
+<b>Signature:</b>
+
+```typescript
+handleLegacyErrors: <P, Q, B>(handler: RequestHandler<P, Q, B>) => RequestHandler<P, Q, B>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.md b/docs/development/core/server/kibana-plugin-server.irouter.md
index 3d82cd8245141..a6536d2ed6763 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md)
-
-## IRouter interface
-
-Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations.
-
-<b>Signature:</b>
-
-```typescript
-export interface IRouter 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [delete](./kibana-plugin-server.irouter.delete.md) | <code>RouteRegistrar&lt;'delete'&gt;</code> | Register a route handler for <code>DELETE</code> request. |
-|  [get](./kibana-plugin-server.irouter.get.md) | <code>RouteRegistrar&lt;'get'&gt;</code> | Register a route handler for <code>GET</code> request. |
-|  [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md) | <code>&lt;P, Q, B&gt;(handler: RequestHandler&lt;P, Q, B&gt;) =&gt; RequestHandler&lt;P, Q, B&gt;</code> | Wrap a router handler to catch and converts legacy boom errors to proper custom errors. |
-|  [patch](./kibana-plugin-server.irouter.patch.md) | <code>RouteRegistrar&lt;'patch'&gt;</code> | Register a route handler for <code>PATCH</code> request. |
-|  [post](./kibana-plugin-server.irouter.post.md) | <code>RouteRegistrar&lt;'post'&gt;</code> | Register a route handler for <code>POST</code> request. |
-|  [put](./kibana-plugin-server.irouter.put.md) | <code>RouteRegistrar&lt;'put'&gt;</code> | Register a route handler for <code>PUT</code> request. |
-|  [routerPath](./kibana-plugin-server.irouter.routerpath.md) | <code>string</code> | Resulted path |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md)
+
+## IRouter interface
+
+Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations.
+
+<b>Signature:</b>
+
+```typescript
+export interface IRouter 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [delete](./kibana-plugin-server.irouter.delete.md) | <code>RouteRegistrar&lt;'delete'&gt;</code> | Register a route handler for <code>DELETE</code> request. |
+|  [get](./kibana-plugin-server.irouter.get.md) | <code>RouteRegistrar&lt;'get'&gt;</code> | Register a route handler for <code>GET</code> request. |
+|  [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md) | <code>&lt;P, Q, B&gt;(handler: RequestHandler&lt;P, Q, B&gt;) =&gt; RequestHandler&lt;P, Q, B&gt;</code> | Wrap a router handler to catch and converts legacy boom errors to proper custom errors. |
+|  [patch](./kibana-plugin-server.irouter.patch.md) | <code>RouteRegistrar&lt;'patch'&gt;</code> | Register a route handler for <code>PATCH</code> request. |
+|  [post](./kibana-plugin-server.irouter.post.md) | <code>RouteRegistrar&lt;'post'&gt;</code> | Register a route handler for <code>POST</code> request. |
+|  [put](./kibana-plugin-server.irouter.put.md) | <code>RouteRegistrar&lt;'put'&gt;</code> | Register a route handler for <code>PUT</code> request. |
+|  [routerPath](./kibana-plugin-server.irouter.routerpath.md) | <code>string</code> | Resulted path |
+
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.patch.md b/docs/development/core/server/kibana-plugin-server.irouter.patch.md
index ef7ea6f18d646..460f1b9d23640 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.patch.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.patch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [patch](./kibana-plugin-server.irouter.patch.md)
-
-## IRouter.patch property
-
-Register a route handler for `PATCH` request.
-
-<b>Signature:</b>
-
-```typescript
-patch: RouteRegistrar<'patch'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [patch](./kibana-plugin-server.irouter.patch.md)
+
+## IRouter.patch property
+
+Register a route handler for `PATCH` request.
+
+<b>Signature:</b>
+
+```typescript
+patch: RouteRegistrar<'patch'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.post.md b/docs/development/core/server/kibana-plugin-server.irouter.post.md
index 6e4a858cd342c..a2ac27ebc731a 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.post.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.post.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [post](./kibana-plugin-server.irouter.post.md)
-
-## IRouter.post property
-
-Register a route handler for `POST` request.
-
-<b>Signature:</b>
-
-```typescript
-post: RouteRegistrar<'post'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [post](./kibana-plugin-server.irouter.post.md)
+
+## IRouter.post property
+
+Register a route handler for `POST` request.
+
+<b>Signature:</b>
+
+```typescript
+post: RouteRegistrar<'post'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.put.md b/docs/development/core/server/kibana-plugin-server.irouter.put.md
index be6c235250fdd..219c5d8805661 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.put.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.put.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [put](./kibana-plugin-server.irouter.put.md)
-
-## IRouter.put property
-
-Register a route handler for `PUT` request.
-
-<b>Signature:</b>
-
-```typescript
-put: RouteRegistrar<'put'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [put](./kibana-plugin-server.irouter.put.md)
+
+## IRouter.put property
+
+Register a route handler for `PUT` request.
+
+<b>Signature:</b>
+
+```typescript
+put: RouteRegistrar<'put'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md b/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
index 0b777ae056d1a..ab1b4a6baa7e9 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [routerPath](./kibana-plugin-server.irouter.routerpath.md)
-
-## IRouter.routerPath property
-
-Resulted path
-
-<b>Signature:</b>
-
-```typescript
-routerPath: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [routerPath](./kibana-plugin-server.irouter.routerpath.md)
+
+## IRouter.routerPath property
+
+Resulted path
+
+<b>Signature:</b>
+
+```typescript
+routerPath: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.isauthenticated.md b/docs/development/core/server/kibana-plugin-server.isauthenticated.md
index bcc82bc614952..c927b6bea926c 100644
--- a/docs/development/core/server/kibana-plugin-server.isauthenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.isauthenticated.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IsAuthenticated](./kibana-plugin-server.isauthenticated.md)
-
-## IsAuthenticated type
-
-Returns authentication status for a request.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IsAuthenticated = (request: KibanaRequest | LegacyRequest) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IsAuthenticated](./kibana-plugin-server.isauthenticated.md)
+
+## IsAuthenticated type
+
+Returns authentication status for a request.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IsAuthenticated = (request: KibanaRequest | LegacyRequest) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md b/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
index e6121a2087569..7863d1b0ca49d 100644
--- a/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md)
-
-## ISavedObjectsRepository type
-
-See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ISavedObjectsRepository = Pick<SavedObjectsRepository, keyof SavedObjectsRepository>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md)
+
+## ISavedObjectsRepository type
+
+See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ISavedObjectsRepository = Pick<SavedObjectsRepository, keyof SavedObjectsRepository>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md b/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
index 54320473e0400..becd1d26d2473 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md)
-
-## IScopedClusterClient type
-
-Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
-
-See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IScopedClusterClient = Pick<ScopedClusterClient, 'callAsCurrentUser' | 'callAsInternalUser'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md)
+
+## IScopedClusterClient type
+
+Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
+
+See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IScopedClusterClient = Pick<ScopedClusterClient, 'callAsCurrentUser' | 'callAsInternalUser'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
index ad21f573d2048..2e6daa58db25f 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md)
-
-## IScopedRenderingClient interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IScopedRenderingClient 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [render(options)](./kibana-plugin-server.iscopedrenderingclient.render.md) | Generate a <code>KibanaResponse</code> which renders an HTML page bootstrapped with the <code>core</code> bundle. Intended as a response body for HTTP route handlers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md)
+
+## IScopedRenderingClient interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IScopedRenderingClient 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [render(options)](./kibana-plugin-server.iscopedrenderingclient.render.md) | Generate a <code>KibanaResponse</code> which renders an HTML page bootstrapped with the <code>core</code> bundle. Intended as a response body for HTTP route handlers. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
index 107df060ad306..42cbc59c536a6 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
@@ -1,41 +1,41 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) &gt; [render](./kibana-plugin-server.iscopedrenderingclient.render.md)
-
-## IScopedRenderingClient.render() method
-
-Generate a `KibanaResponse` which renders an HTML page bootstrapped with the `core` bundle. Intended as a response body for HTTP route handlers.
-
-<b>Signature:</b>
-
-```typescript
-render(options?: Pick<IRenderOptions, 'includeUserSettings'>): Promise<string>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  options | <code>Pick&lt;IRenderOptions, 'includeUserSettings'&gt;</code> |  |
-
-<b>Returns:</b>
-
-`Promise<string>`
-
-## Example
-
-
-```ts
-router.get(
-  { path: '/', validate: false },
-  (context, request, response) =>
-    response.ok({
-      body: await context.core.rendering.render(),
-      headers: {
-        'content-security-policy': context.core.http.csp.header,
-      },
-    })
-);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) &gt; [render](./kibana-plugin-server.iscopedrenderingclient.render.md)
+
+## IScopedRenderingClient.render() method
+
+Generate a `KibanaResponse` which renders an HTML page bootstrapped with the `core` bundle. Intended as a response body for HTTP route handlers.
+
+<b>Signature:</b>
+
+```typescript
+render(options?: Pick<IRenderOptions, 'includeUserSettings'>): Promise<string>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  options | <code>Pick&lt;IRenderOptions, 'includeUserSettings'&gt;</code> |  |
+
+<b>Returns:</b>
+
+`Promise<string>`
+
+## Example
+
+
+```ts
+router.get(
+  { path: '/', validate: false },
+  (context, request, response) =>
+    response.ok({
+      body: await context.core.rendering.render(),
+      headers: {
+        'content-security-policy': context.core.http.csp.header,
+      },
+    })
+);
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
index aa266dc06429e..a73061f457a4b 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [get](./kibana-plugin-server.iuisettingsclient.get.md)
-
-## IUiSettingsClient.get property
-
-Retrieves uiSettings values set by the user with fallbacks to default values if not specified.
-
-<b>Signature:</b>
-
-```typescript
-get: <T = any>(key: string) => Promise<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [get](./kibana-plugin-server.iuisettingsclient.get.md)
+
+## IUiSettingsClient.get property
+
+Retrieves uiSettings values set by the user with fallbacks to default values if not specified.
+
+<b>Signature:</b>
+
+```typescript
+get: <T = any>(key: string) => Promise<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
index a7d7550c272e1..600116b86d1c0 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-server.iuisettingsclient.getall.md)
-
-## IUiSettingsClient.getAll property
-
-Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified.
-
-<b>Signature:</b>
-
-```typescript
-getAll: <T = any>() => Promise<Record<string, T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-server.iuisettingsclient.getall.md)
+
+## IUiSettingsClient.getAll property
+
+Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified.
+
+<b>Signature:</b>
+
+```typescript
+getAll: <T = any>() => Promise<Record<string, T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
index ca2649aeec02e..16ae4c3dd8b36 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md)
-
-## IUiSettingsClient.getRegistered property
-
-Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
-
-<b>Signature:</b>
-
-```typescript
-getRegistered: () => Readonly<Record<string, UiSettingsParams>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md)
+
+## IUiSettingsClient.getRegistered property
+
+Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
+
+<b>Signature:</b>
+
+```typescript
+getRegistered: () => Readonly<Record<string, UiSettingsParams>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
index 5828b2718fc43..94b7575519cee 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md)
-
-## IUiSettingsClient.getUserProvided property
-
-Retrieves a set of all uiSettings values set by the user.
-
-<b>Signature:</b>
-
-```typescript
-getUserProvided: <T = any>() => Promise<Record<string, UserProvidedValues<T>>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md)
+
+## IUiSettingsClient.getUserProvided property
+
+Retrieves a set of all uiSettings values set by the user.
+
+<b>Signature:</b>
+
+```typescript
+getUserProvided: <T = any>() => Promise<Record<string, UserProvidedValues<T>>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
index 447aa3278b0ee..a53655763a79b 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md)
-
-## IUiSettingsClient.isOverridden property
-
-Shows whether the uiSettings value set by the user.
-
-<b>Signature:</b>
-
-```typescript
-isOverridden: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md)
+
+## IUiSettingsClient.isOverridden property
+
+Shows whether the uiSettings value set by the user.
+
+<b>Signature:</b>
+
+```typescript
+isOverridden: (key: string) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
index f25da163758a1..c254321e02291 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md)
-
-## IUiSettingsClient interface
-
-Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI.
-
-<b>Signature:</b>
-
-```typescript
-export interface IUiSettingsClient 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-server.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string) =&gt; Promise&lt;T&gt;</code> | Retrieves uiSettings values set by the user with fallbacks to default values if not specified. |
-|  [getAll](./kibana-plugin-server.iuisettingsclient.getall.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, T&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified. |
-|  [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams&gt;&gt;</code> | Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) |
-|  [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, UserProvidedValues&lt;T&gt;&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user. |
-|  [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
-|  [remove](./kibana-plugin-server.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;void&gt;</code> | Removes uiSettings value by key. |
-|  [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md) | <code>(keys: string[]) =&gt; Promise&lt;void&gt;</code> | Removes multiple uiSettings values by keys. |
-|  [set](./kibana-plugin-server.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;void&gt;</code> | Writes uiSettings value and marks it as set by the user. |
-|  [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md) | <code>(changes: Record&lt;string, any&gt;) =&gt; Promise&lt;void&gt;</code> | Writes multiple uiSettings values and marks them as set by the user. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md)
+
+## IUiSettingsClient interface
+
+Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI.
+
+<b>Signature:</b>
+
+```typescript
+export interface IUiSettingsClient 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-server.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string) =&gt; Promise&lt;T&gt;</code> | Retrieves uiSettings values set by the user with fallbacks to default values if not specified. |
+|  [getAll](./kibana-plugin-server.iuisettingsclient.getall.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, T&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified. |
+|  [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams&gt;&gt;</code> | Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) |
+|  [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, UserProvidedValues&lt;T&gt;&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user. |
+|  [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
+|  [remove](./kibana-plugin-server.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;void&gt;</code> | Removes uiSettings value by key. |
+|  [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md) | <code>(keys: string[]) =&gt; Promise&lt;void&gt;</code> | Removes multiple uiSettings values by keys. |
+|  [set](./kibana-plugin-server.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;void&gt;</code> | Writes uiSettings value and marks it as set by the user. |
+|  [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md) | <code>(changes: Record&lt;string, any&gt;) =&gt; Promise&lt;void&gt;</code> | Writes multiple uiSettings values and marks them as set by the user. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
index 8ef4072479600..fa15b11fd76e4 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [remove](./kibana-plugin-server.iuisettingsclient.remove.md)
-
-## IUiSettingsClient.remove property
-
-Removes uiSettings value by key.
-
-<b>Signature:</b>
-
-```typescript
-remove: (key: string) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [remove](./kibana-plugin-server.iuisettingsclient.remove.md)
+
+## IUiSettingsClient.remove property
+
+Removes uiSettings value by key.
+
+<b>Signature:</b>
+
+```typescript
+remove: (key: string) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
index 850d51d041900..ef5f994707aae 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md)
-
-## IUiSettingsClient.removeMany property
-
-Removes multiple uiSettings values by keys.
-
-<b>Signature:</b>
-
-```typescript
-removeMany: (keys: string[]) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md)
+
+## IUiSettingsClient.removeMany property
+
+Removes multiple uiSettings values by keys.
+
+<b>Signature:</b>
+
+```typescript
+removeMany: (keys: string[]) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
index e647948f416a8..5d5897a7159ad 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [set](./kibana-plugin-server.iuisettingsclient.set.md)
-
-## IUiSettingsClient.set property
-
-Writes uiSettings value and marks it as set by the user.
-
-<b>Signature:</b>
-
-```typescript
-set: (key: string, value: any) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [set](./kibana-plugin-server.iuisettingsclient.set.md)
+
+## IUiSettingsClient.set property
+
+Writes uiSettings value and marks it as set by the user.
+
+<b>Signature:</b>
+
+```typescript
+set: (key: string, value: any) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
index a724427fe5e16..e1d2595d8e1c7 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md)
-
-## IUiSettingsClient.setMany property
-
-Writes multiple uiSettings values and marks them as set by the user.
-
-<b>Signature:</b>
-
-```typescript
-setMany: (changes: Record<string, any>) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md)
+
+## IUiSettingsClient.setMany property
+
+Writes multiple uiSettings values and marks them as set by the user.
+
+<b>Signature:</b>
+
+```typescript
+setMany: (changes: Record<string, any>) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md b/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
index 9d96515f3e2a0..1ef6beb82ea98 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [(constructor)](./kibana-plugin-server.kibanarequest._constructor_.md)
-
-## KibanaRequest.(constructor)
-
-Constructs a new instance of the `KibanaRequest` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(request: Request, params: Params, query: Query, body: Body, withoutSecretHeaders: boolean);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>Request</code> |  |
-|  params | <code>Params</code> |  |
-|  query | <code>Query</code> |  |
-|  body | <code>Body</code> |  |
-|  withoutSecretHeaders | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [(constructor)](./kibana-plugin-server.kibanarequest._constructor_.md)
+
+## KibanaRequest.(constructor)
+
+Constructs a new instance of the `KibanaRequest` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(request: Request, params: Params, query: Query, body: Body, withoutSecretHeaders: boolean);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>Request</code> |  |
+|  params | <code>Params</code> |  |
+|  query | <code>Query</code> |  |
+|  body | <code>Body</code> |  |
+|  withoutSecretHeaders | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
index cd19639fc5af2..b1284f58c6815 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [body](./kibana-plugin-server.kibanarequest.body.md)
-
-## KibanaRequest.body property
-
-<b>Signature:</b>
-
-```typescript
-readonly body: Body;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [body](./kibana-plugin-server.kibanarequest.body.md)
+
+## KibanaRequest.body property
+
+<b>Signature:</b>
+
+```typescript
+readonly body: Body;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
index f9056075ef7f8..5a002fc28f5db 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [events](./kibana-plugin-server.kibanarequest.events.md)
-
-## KibanaRequest.events property
-
-Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
-
-<b>Signature:</b>
-
-```typescript
-readonly events: KibanaRequestEvents;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [events](./kibana-plugin-server.kibanarequest.events.md)
+
+## KibanaRequest.events property
+
+Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
+
+<b>Signature:</b>
+
+```typescript
+readonly events: KibanaRequestEvents;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
index a5a2cf0d6c314..8bd50e23608de 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [headers](./kibana-plugin-server.kibanarequest.headers.md)
-
-## KibanaRequest.headers property
-
-Readonly copy of incoming request headers.
-
-<b>Signature:</b>
-
-```typescript
-readonly headers: Headers;
-```
-
-## Remarks
-
-This property will contain a `filtered` copy of request headers.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [headers](./kibana-plugin-server.kibanarequest.headers.md)
+
+## KibanaRequest.headers property
+
+Readonly copy of incoming request headers.
+
+<b>Signature:</b>
+
+```typescript
+readonly headers: Headers;
+```
+
+## Remarks
+
+This property will contain a `filtered` copy of request headers.
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
index a643c70632d53..f6178d6eee56e 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md)
-
-## KibanaRequest.isSystemRequest property
-
-Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the `HttpFetchOptions#asSystemRequest` option.
-
-<b>Signature:</b>
-
-```typescript
-readonly isSystemRequest: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md)
+
+## KibanaRequest.isSystemRequest property
+
+Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the `HttpFetchOptions#asSystemRequest` option.
+
+<b>Signature:</b>
+
+```typescript
+readonly isSystemRequest: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.md
index cb6745623e381..bd02c4b9bc155 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md)
-
-## KibanaRequest class
-
-Kibana specific abstraction for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export declare class KibanaRequest<Params = unknown, Query = unknown, Body = unknown, Method extends RouteMethod = any> 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(request, params, query, body, withoutSecretHeaders)](./kibana-plugin-server.kibanarequest._constructor_.md) |  | Constructs a new instance of the <code>KibanaRequest</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [body](./kibana-plugin-server.kibanarequest.body.md) |  | <code>Body</code> |  |
-|  [events](./kibana-plugin-server.kibanarequest.events.md) |  | <code>KibanaRequestEvents</code> | Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) |
-|  [headers](./kibana-plugin-server.kibanarequest.headers.md) |  | <code>Headers</code> | Readonly copy of incoming request headers. |
-|  [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md) |  | <code>boolean</code> | Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the <code>HttpFetchOptions#asSystemRequest</code> option. |
-|  [params](./kibana-plugin-server.kibanarequest.params.md) |  | <code>Params</code> |  |
-|  [query](./kibana-plugin-server.kibanarequest.query.md) |  | <code>Query</code> |  |
-|  [route](./kibana-plugin-server.kibanarequest.route.md) |  | <code>RecursiveReadonly&lt;KibanaRequestRoute&lt;Method&gt;&gt;</code> | matched route details |
-|  [socket](./kibana-plugin-server.kibanarequest.socket.md) |  | <code>IKibanaSocket</code> | [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) |
-|  [url](./kibana-plugin-server.kibanarequest.url.md) |  | <code>Url</code> | a WHATWG URL standard object. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md)
+
+## KibanaRequest class
+
+Kibana specific abstraction for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export declare class KibanaRequest<Params = unknown, Query = unknown, Body = unknown, Method extends RouteMethod = any> 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(request, params, query, body, withoutSecretHeaders)](./kibana-plugin-server.kibanarequest._constructor_.md) |  | Constructs a new instance of the <code>KibanaRequest</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [body](./kibana-plugin-server.kibanarequest.body.md) |  | <code>Body</code> |  |
+|  [events](./kibana-plugin-server.kibanarequest.events.md) |  | <code>KibanaRequestEvents</code> | Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) |
+|  [headers](./kibana-plugin-server.kibanarequest.headers.md) |  | <code>Headers</code> | Readonly copy of incoming request headers. |
+|  [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md) |  | <code>boolean</code> | Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the <code>HttpFetchOptions#asSystemRequest</code> option. |
+|  [params](./kibana-plugin-server.kibanarequest.params.md) |  | <code>Params</code> |  |
+|  [query](./kibana-plugin-server.kibanarequest.query.md) |  | <code>Query</code> |  |
+|  [route](./kibana-plugin-server.kibanarequest.route.md) |  | <code>RecursiveReadonly&lt;KibanaRequestRoute&lt;Method&gt;&gt;</code> | matched route details |
+|  [socket](./kibana-plugin-server.kibanarequest.socket.md) |  | <code>IKibanaSocket</code> | [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) |
+|  [url](./kibana-plugin-server.kibanarequest.url.md) |  | <code>Url</code> | a WHATWG URL standard object. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
index 37f4a3a28a41a..c8902be737d81 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [params](./kibana-plugin-server.kibanarequest.params.md)
-
-## KibanaRequest.params property
-
-<b>Signature:</b>
-
-```typescript
-readonly params: Params;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [params](./kibana-plugin-server.kibanarequest.params.md)
+
+## KibanaRequest.params property
+
+<b>Signature:</b>
+
+```typescript
+readonly params: Params;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
index 3ec5d877283b3..30a5739676403 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [query](./kibana-plugin-server.kibanarequest.query.md)
-
-## KibanaRequest.query property
-
-<b>Signature:</b>
-
-```typescript
-readonly query: Query;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [query](./kibana-plugin-server.kibanarequest.query.md)
+
+## KibanaRequest.query property
+
+<b>Signature:</b>
+
+```typescript
+readonly query: Query;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
index fb71327a7d129..1905070a99068 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [route](./kibana-plugin-server.kibanarequest.route.md)
-
-## KibanaRequest.route property
-
-matched route details
-
-<b>Signature:</b>
-
-```typescript
-readonly route: RecursiveReadonly<KibanaRequestRoute<Method>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [route](./kibana-plugin-server.kibanarequest.route.md)
+
+## KibanaRequest.route property
+
+matched route details
+
+<b>Signature:</b>
+
+```typescript
+readonly route: RecursiveReadonly<KibanaRequestRoute<Method>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
index b1b83ab6145cd..c55f4656c993c 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [socket](./kibana-plugin-server.kibanarequest.socket.md)
-
-## KibanaRequest.socket property
-
-[IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
-
-<b>Signature:</b>
-
-```typescript
-readonly socket: IKibanaSocket;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [socket](./kibana-plugin-server.kibanarequest.socket.md)
+
+## KibanaRequest.socket property
+
+[IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
+
+<b>Signature:</b>
+
+```typescript
+readonly socket: IKibanaSocket;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
index e77b77edede4d..62d1f97159476 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [url](./kibana-plugin-server.kibanarequest.url.md)
-
-## KibanaRequest.url property
-
-a WHATWG URL standard object.
-
-<b>Signature:</b>
-
-```typescript
-readonly url: Url;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [url](./kibana-plugin-server.kibanarequest.url.md)
+
+## KibanaRequest.url property
+
+a WHATWG URL standard object.
+
+<b>Signature:</b>
+
+```typescript
+readonly url: Url;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
index 25d228e6ec276..d292d5d60bf5f 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) &gt; [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md)
-
-## KibanaRequestEvents.aborted$ property
-
-Observable that emits once if and when the request has been aborted.
-
-<b>Signature:</b>
-
-```typescript
-aborted$: Observable<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) &gt; [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md)
+
+## KibanaRequestEvents.aborted$ property
+
+Observable that emits once if and when the request has been aborted.
+
+<b>Signature:</b>
+
+```typescript
+aborted$: Observable<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
index 85cb6e397c3ec..9137c4673a60c 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
-
-## KibanaRequestEvents interface
-
-Request events.
-
-<b>Signature:</b>
-
-```typescript
-export interface KibanaRequestEvents 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md) | <code>Observable&lt;void&gt;</code> | Observable that emits once if and when the request has been aborted. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
+
+## KibanaRequestEvents interface
+
+Request events.
+
+<b>Signature:</b>
+
+```typescript
+export interface KibanaRequestEvents 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md) | <code>Observable&lt;void&gt;</code> | Observable that emits once if and when the request has been aborted. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
index 8a63aa52c0c9d..2983639458200 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md)
-
-## KibanaRequestRoute interface
-
-Request specific route information exposed to a handler.
-
-<b>Signature:</b>
-
-```typescript
-export interface KibanaRequestRoute<Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.kibanarequestroute.method.md) | <code>Method</code> |  |
-|  [options](./kibana-plugin-server.kibanarequestroute.options.md) | <code>KibanaRequestRouteOptions&lt;Method&gt;</code> |  |
-|  [path](./kibana-plugin-server.kibanarequestroute.path.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md)
+
+## KibanaRequestRoute interface
+
+Request specific route information exposed to a handler.
+
+<b>Signature:</b>
+
+```typescript
+export interface KibanaRequestRoute<Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.kibanarequestroute.method.md) | <code>Method</code> |  |
+|  [options](./kibana-plugin-server.kibanarequestroute.options.md) | <code>KibanaRequestRouteOptions&lt;Method&gt;</code> |  |
+|  [path](./kibana-plugin-server.kibanarequestroute.path.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
index 9a60a50255756..5775d28b1e053 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [method](./kibana-plugin-server.kibanarequestroute.method.md)
-
-## KibanaRequestRoute.method property
-
-<b>Signature:</b>
-
-```typescript
-method: Method;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [method](./kibana-plugin-server.kibanarequestroute.method.md)
+
+## KibanaRequestRoute.method property
+
+<b>Signature:</b>
+
+```typescript
+method: Method;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
index 82a46c09b0aa6..438263f61eb20 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [options](./kibana-plugin-server.kibanarequestroute.options.md)
-
-## KibanaRequestRoute.options property
-
-<b>Signature:</b>
-
-```typescript
-options: KibanaRequestRouteOptions<Method>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [options](./kibana-plugin-server.kibanarequestroute.options.md)
+
+## KibanaRequestRoute.options property
+
+<b>Signature:</b>
+
+```typescript
+options: KibanaRequestRouteOptions<Method>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
index 01e623a2f47c5..17d4b588e6d44 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [path](./kibana-plugin-server.kibanarequestroute.path.md)
-
-## KibanaRequestRoute.path property
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [path](./kibana-plugin-server.kibanarequestroute.path.md)
+
+## KibanaRequestRoute.path property
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md b/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
index 71e0169137a72..f48711ac11f92 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md)
-
-## KibanaRequestRouteOptions type
-
-Route options: If 'GET' or 'OPTIONS' method, body options won't be returned.
-
-<b>Signature:</b>
-
-```typescript
-export declare type KibanaRequestRouteOptions<Method extends RouteMethod> = Method extends 'get' | 'options' ? Required<Omit<RouteConfigOptions<Method>, 'body'>> : Required<RouteConfigOptions<Method>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md)
+
+## KibanaRequestRouteOptions type
+
+Route options: If 'GET' or 'OPTIONS' method, body options won't be returned.
+
+<b>Signature:</b>
+
+```typescript
+export declare type KibanaRequestRouteOptions<Method extends RouteMethod> = Method extends 'get' | 'options' ? Required<Omit<RouteConfigOptions<Method>, 'body'>> : Required<RouteConfigOptions<Method>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md b/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
index cfedaa2d23dd2..2e496aa0c46fc 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
@@ -1,118 +1,118 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md)
-
-## kibanaResponseFactory variable
-
-Set of helpers used to create `KibanaResponse` to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution.
-
-<b>Signature:</b>
-
-```typescript
-kibanaResponseFactory: {
-    custom: <T extends string | Error | Buffer | Stream | Record<string, any> | {
-        message: string | Error;
-        attributes?: Record<string, any> | undefined;
-    } | undefined>(options: CustomHttpResponseOptions<T>) => KibanaResponse<T>;
-    badRequest: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    unauthorized: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    forbidden: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    notFound: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    conflict: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    internalError: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    customError: (options: CustomHttpResponseOptions<ResponseError>) => KibanaResponse<ResponseError>;
-    redirected: (options: RedirectResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    ok: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    accepted: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    noContent: (options?: HttpResponseOptions) => KibanaResponse<undefined>;
-}
-```
-
-## Example
-
-1. Successful response. Supported types of response body are: - `undefined`<!-- -->, no content to send. - `string`<!-- -->, send text - `JSON`<!-- -->, send JSON object, HTTP server will throw if given object is not valid (has circular references, for example) - `Stream` send data stream - `Buffer` send binary stream
-
-```js
-return response.ok();
-return response.ok({ body: 'ack' });
-return response.ok({ body: { id: '1' } });
-return response.ok({ body: Buffer.from(...) });
-
-const stream = new Stream.PassThrough();
-fs.createReadStream('./file').pipe(stream);
-return res.ok({ body: stream });
-
-```
-HTTP headers are configurable via response factory parameter `options` [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)<!-- -->.
-
-```js
-return response.ok({
-  body: { id: '1' },
-  headers: {
-    'content-type': 'application/json'
-  }
-});
-
-```
-2. Redirection response. Redirection URL is configures via 'Location' header.
-
-```js
-return response.redirected({
-  body: 'The document has moved',
-  headers: {
-   location: '/new-url',
-  },
-});
-
-```
-3. Error response. You may pass an error message to the client, where error message can be: - `string` send message text - `Error` send the message text of given Error object. - `{ message: string | Error, attributes: {data: Record<string, any>, ...} }` - send message text and attach additional error data.
-
-```js
-return response.unauthorized({
-  body: 'User has no access to the requested resource.',
-  headers: {
-    'WWW-Authenticate': 'challenge',
-  }
-})
-return response.badRequest();
-return response.badRequest({ body: 'validation error' });
-
-try {
-  // ...
-} catch(error){
-  return response.badRequest({ body: error });
-}
-
-return response.badRequest({
- body:{
-   message: 'validation error',
-   attributes: {
-     requestBody: request.body,
-     failedFields: validationResult
-   }
- }
-});
-
-try {
-  // ...
-} catch(error) {
-  return response.badRequest({
-    body: error
-  });
-}
-
-
-```
-4. Custom response. `ResponseFactory` may not cover your use case, so you can use the `custom` function to customize the response.
-
-```js
-return response.custom({
-  body: 'ok',
-  statusCode: 201,
-  headers: {
-    location: '/created-url'
-  }
-})
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md)
+
+## kibanaResponseFactory variable
+
+Set of helpers used to create `KibanaResponse` to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution.
+
+<b>Signature:</b>
+
+```typescript
+kibanaResponseFactory: {
+    custom: <T extends string | Error | Buffer | Stream | Record<string, any> | {
+        message: string | Error;
+        attributes?: Record<string, any> | undefined;
+    } | undefined>(options: CustomHttpResponseOptions<T>) => KibanaResponse<T>;
+    badRequest: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    unauthorized: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    forbidden: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    notFound: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    conflict: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    internalError: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    customError: (options: CustomHttpResponseOptions<ResponseError>) => KibanaResponse<ResponseError>;
+    redirected: (options: RedirectResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    ok: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    accepted: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    noContent: (options?: HttpResponseOptions) => KibanaResponse<undefined>;
+}
+```
+
+## Example
+
+1. Successful response. Supported types of response body are: - `undefined`<!-- -->, no content to send. - `string`<!-- -->, send text - `JSON`<!-- -->, send JSON object, HTTP server will throw if given object is not valid (has circular references, for example) - `Stream` send data stream - `Buffer` send binary stream
+
+```js
+return response.ok();
+return response.ok({ body: 'ack' });
+return response.ok({ body: { id: '1' } });
+return response.ok({ body: Buffer.from(...) });
+
+const stream = new Stream.PassThrough();
+fs.createReadStream('./file').pipe(stream);
+return res.ok({ body: stream });
+
+```
+HTTP headers are configurable via response factory parameter `options` [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)<!-- -->.
+
+```js
+return response.ok({
+  body: { id: '1' },
+  headers: {
+    'content-type': 'application/json'
+  }
+});
+
+```
+2. Redirection response. Redirection URL is configures via 'Location' header.
+
+```js
+return response.redirected({
+  body: 'The document has moved',
+  headers: {
+   location: '/new-url',
+  },
+});
+
+```
+3. Error response. You may pass an error message to the client, where error message can be: - `string` send message text - `Error` send the message text of given Error object. - `{ message: string | Error, attributes: {data: Record<string, any>, ...} }` - send message text and attach additional error data.
+
+```js
+return response.unauthorized({
+  body: 'User has no access to the requested resource.',
+  headers: {
+    'WWW-Authenticate': 'challenge',
+  }
+})
+return response.badRequest();
+return response.badRequest({ body: 'validation error' });
+
+try {
+  // ...
+} catch(error){
+  return response.badRequest({ body: error });
+}
+
+return response.badRequest({
+ body:{
+   message: 'validation error',
+   attributes: {
+     requestBody: request.body,
+     failedFields: validationResult
+   }
+ }
+});
+
+try {
+  // ...
+} catch(error) {
+  return response.badRequest({
+    body: error
+  });
+}
+
+
+```
+4. Custom response. `ResponseFactory` may not cover your use case, so you can use the `custom` function to customize the response.
+
+```js
+return response.custom({
+  body: 'ok',
+  statusCode: 201,
+  headers: {
+    location: '/created-url'
+  }
+})
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.knownheaders.md b/docs/development/core/server/kibana-plugin-server.knownheaders.md
index 69c3939cfa084..986794f3aaa61 100644
--- a/docs/development/core/server/kibana-plugin-server.knownheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.knownheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KnownHeaders](./kibana-plugin-server.knownheaders.md)
-
-## KnownHeaders type
-
-Set of well-known HTTP headers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type KnownHeaders = KnownKeys<IncomingHttpHeaders>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KnownHeaders](./kibana-plugin-server.knownheaders.md)
+
+## KnownHeaders type
+
+Set of well-known HTTP headers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type KnownHeaders = KnownKeys<IncomingHttpHeaders>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyrequest.md b/docs/development/core/server/kibana-plugin-server.legacyrequest.md
index 329c2fb805312..a794b3bbe87c7 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyrequest.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyRequest](./kibana-plugin-server.legacyrequest.md)
-
-## LegacyRequest interface
-
-> Warning: This API is now obsolete.
-> 
-> `hapi` request object, supported during migration process only for backward compatibility.
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyRequest extends Request 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyRequest](./kibana-plugin-server.legacyrequest.md)
+
+## LegacyRequest interface
+
+> Warning: This API is now obsolete.
+> 
+> `hapi` request object, supported during migration process only for backward compatibility.
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyRequest extends Request 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
index 2fa3e587df714..c4c043a903d06 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [core](./kibana-plugin-server.legacyservicesetupdeps.core.md)
-
-## LegacyServiceSetupDeps.core property
-
-<b>Signature:</b>
-
-```typescript
-core: LegacyCoreSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [core](./kibana-plugin-server.legacyservicesetupdeps.core.md)
+
+## LegacyServiceSetupDeps.core property
+
+<b>Signature:</b>
+
+```typescript
+core: LegacyCoreSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
index 5ee3c9a2113fd..7961cedd2c054 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md)
-
-## LegacyServiceSetupDeps interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyServiceSetupDeps 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.legacyservicesetupdeps.core.md) | <code>LegacyCoreSetup</code> |  |
-|  [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md)
+
+## LegacyServiceSetupDeps interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyServiceSetupDeps 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.legacyservicesetupdeps.core.md) | <code>LegacyCoreSetup</code> |  |
+|  [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
index 3917b7c9ac752..a51aa478caab5 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md)
-
-## LegacyServiceSetupDeps.plugins property
-
-<b>Signature:</b>
-
-```typescript
-plugins: Record<string, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md)
+
+## LegacyServiceSetupDeps.plugins property
+
+<b>Signature:</b>
+
+```typescript
+plugins: Record<string, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
index bcd7789698b08..47018f4594967 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [core](./kibana-plugin-server.legacyservicestartdeps.core.md)
-
-## LegacyServiceStartDeps.core property
-
-<b>Signature:</b>
-
-```typescript
-core: LegacyCoreStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [core](./kibana-plugin-server.legacyservicestartdeps.core.md)
+
+## LegacyServiceStartDeps.core property
+
+<b>Signature:</b>
+
+```typescript
+core: LegacyCoreStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
index 4005c643fdb32..602fe5356d525 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md)
-
-## LegacyServiceStartDeps interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyServiceStartDeps 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.legacyservicestartdeps.core.md) | <code>LegacyCoreStart</code> |  |
-|  [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md)
+
+## LegacyServiceStartDeps interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyServiceStartDeps 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.legacyservicestartdeps.core.md) | <code>LegacyCoreStart</code> |  |
+|  [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
index 5f77289ce0a52..a6d774d35e42e 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md)
-
-## LegacyServiceStartDeps.plugins property
-
-<b>Signature:</b>
-
-```typescript
-plugins: Record<string, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md)
+
+## LegacyServiceStartDeps.plugins property
+
+<b>Signature:</b>
+
+```typescript
+plugins: Record<string, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md b/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
index ade2e5091df8e..f1c427203dd24 100644
--- a/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md)
-
-## LifecycleResponseFactory type
-
-Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client.
-
-<b>Signature:</b>
-
-```typescript
-export declare type LifecycleResponseFactory = typeof lifecycleResponseFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md)
+
+## LifecycleResponseFactory type
+
+Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client.
+
+<b>Signature:</b>
+
+```typescript
+export declare type LifecycleResponseFactory = typeof lifecycleResponseFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.logger.debug.md b/docs/development/core/server/kibana-plugin-server.logger.debug.md
index 3a37615ecc8c5..9a775896f618f 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.debug.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.debug.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [debug](./kibana-plugin-server.logger.debug.md)
-
-## Logger.debug() method
-
-Log messages useful for debugging and interactive investigation
-
-<b>Signature:</b>
-
-```typescript
-debug(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [debug](./kibana-plugin-server.logger.debug.md)
+
+## Logger.debug() method
+
+Log messages useful for debugging and interactive investigation
+
+<b>Signature:</b>
+
+```typescript
+debug(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.error.md b/docs/development/core/server/kibana-plugin-server.logger.error.md
index d59ccad3536a0..482770d267095 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.error.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.error.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [error](./kibana-plugin-server.logger.error.md)
-
-## Logger.error() method
-
-Logs abnormal or unexpected errors or messages that caused a failure in the application flow
-
-<b>Signature:</b>
-
-```typescript
-error(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [error](./kibana-plugin-server.logger.error.md)
+
+## Logger.error() method
+
+Logs abnormal or unexpected errors or messages that caused a failure in the application flow
+
+<b>Signature:</b>
+
+```typescript
+error(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.fatal.md b/docs/development/core/server/kibana-plugin-server.logger.fatal.md
index 41751be46627d..68f502a54f560 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.fatal.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.fatal.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [fatal](./kibana-plugin-server.logger.fatal.md)
-
-## Logger.fatal() method
-
-Logs abnormal or unexpected errors or messages that caused an unrecoverable failure
-
-<b>Signature:</b>
-
-```typescript
-fatal(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [fatal](./kibana-plugin-server.logger.fatal.md)
+
+## Logger.fatal() method
+
+Logs abnormal or unexpected errors or messages that caused an unrecoverable failure
+
+<b>Signature:</b>
+
+```typescript
+fatal(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.get.md b/docs/development/core/server/kibana-plugin-server.logger.get.md
index 6b84f27688003..b4a2d8a124260 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.get.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.get.md
@@ -1,33 +1,33 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [get](./kibana-plugin-server.logger.get.md)
-
-## Logger.get() method
-
-Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context.
-
-<b>Signature:</b>
-
-```typescript
-get(...childContextPaths: string[]): Logger;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  childContextPaths | <code>string[]</code> |  |
-
-<b>Returns:</b>
-
-`Logger`
-
-## Example
-
-
-```typescript
-const logger = loggerFactory.get('plugin', 'service'); // 'plugin.service' context
-const subLogger = logger.get('feature'); // 'plugin.service.feature' context
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [get](./kibana-plugin-server.logger.get.md)
+
+## Logger.get() method
+
+Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context.
+
+<b>Signature:</b>
+
+```typescript
+get(...childContextPaths: string[]): Logger;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  childContextPaths | <code>string[]</code> |  |
+
+<b>Returns:</b>
+
+`Logger`
+
+## Example
+
+
+```typescript
+const logger = loggerFactory.get('plugin', 'service'); // 'plugin.service' context
+const subLogger = logger.get('feature'); // 'plugin.service.feature' context
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.info.md b/docs/development/core/server/kibana-plugin-server.logger.info.md
index f70ff3e750ab1..28a15f538f739 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.info.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.info.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [info](./kibana-plugin-server.logger.info.md)
-
-## Logger.info() method
-
-Logs messages related to general application flow
-
-<b>Signature:</b>
-
-```typescript
-info(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [info](./kibana-plugin-server.logger.info.md)
+
+## Logger.info() method
+
+Logs messages related to general application flow
+
+<b>Signature:</b>
+
+```typescript
+info(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.md b/docs/development/core/server/kibana-plugin-server.logger.md
index a8205dd5915a0..068f51f409f09 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md)
-
-## Logger interface
-
-Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface Logger 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [debug(message, meta)](./kibana-plugin-server.logger.debug.md) | Log messages useful for debugging and interactive investigation |
-|  [error(errorOrMessage, meta)](./kibana-plugin-server.logger.error.md) | Logs abnormal or unexpected errors or messages that caused a failure in the application flow |
-|  [fatal(errorOrMessage, meta)](./kibana-plugin-server.logger.fatal.md) | Logs abnormal or unexpected errors or messages that caused an unrecoverable failure |
-|  [get(childContextPaths)](./kibana-plugin-server.logger.get.md) | Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context. |
-|  [info(message, meta)](./kibana-plugin-server.logger.info.md) | Logs messages related to general application flow |
-|  [trace(message, meta)](./kibana-plugin-server.logger.trace.md) | Log messages at the most detailed log level |
-|  [warn(errorOrMessage, meta)](./kibana-plugin-server.logger.warn.md) | Logs abnormal or unexpected errors or messages |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md)
+
+## Logger interface
+
+Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface Logger 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [debug(message, meta)](./kibana-plugin-server.logger.debug.md) | Log messages useful for debugging and interactive investigation |
+|  [error(errorOrMessage, meta)](./kibana-plugin-server.logger.error.md) | Logs abnormal or unexpected errors or messages that caused a failure in the application flow |
+|  [fatal(errorOrMessage, meta)](./kibana-plugin-server.logger.fatal.md) | Logs abnormal or unexpected errors or messages that caused an unrecoverable failure |
+|  [get(childContextPaths)](./kibana-plugin-server.logger.get.md) | Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context. |
+|  [info(message, meta)](./kibana-plugin-server.logger.info.md) | Logs messages related to general application flow |
+|  [trace(message, meta)](./kibana-plugin-server.logger.trace.md) | Log messages at the most detailed log level |
+|  [warn(errorOrMessage, meta)](./kibana-plugin-server.logger.warn.md) | Logs abnormal or unexpected errors or messages |
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.trace.md b/docs/development/core/server/kibana-plugin-server.logger.trace.md
index 8e9613ec39d5c..e7aeeec21243b 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.trace.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.trace.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [trace](./kibana-plugin-server.logger.trace.md)
-
-## Logger.trace() method
-
-Log messages at the most detailed log level
-
-<b>Signature:</b>
-
-```typescript
-trace(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [trace](./kibana-plugin-server.logger.trace.md)
+
+## Logger.trace() method
+
+Log messages at the most detailed log level
+
+<b>Signature:</b>
+
+```typescript
+trace(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.warn.md b/docs/development/core/server/kibana-plugin-server.logger.warn.md
index 935718c0de788..10e5cd5612fb2 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.warn.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.warn.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [warn](./kibana-plugin-server.logger.warn.md)
-
-## Logger.warn() method
-
-Logs abnormal or unexpected errors or messages
-
-<b>Signature:</b>
-
-```typescript
-warn(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [warn](./kibana-plugin-server.logger.warn.md)
+
+## Logger.warn() method
+
+Logs abnormal or unexpected errors or messages
+
+<b>Signature:</b>
+
+```typescript
+warn(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md b/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
index 95765157665a0..b38820f6ba4ba 100644
--- a/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
+++ b/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md) &gt; [get](./kibana-plugin-server.loggerfactory.get.md)
-
-## LoggerFactory.get() method
-
-Returns a `Logger` instance for the specified context.
-
-<b>Signature:</b>
-
-```typescript
-get(...contextParts: string[]): Logger;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextParts | <code>string[]</code> | Parts of the context to return logger for. For example get('plugins', 'pid') will return a logger for the <code>plugins.pid</code> context. |
-
-<b>Returns:</b>
-
-`Logger`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md) &gt; [get](./kibana-plugin-server.loggerfactory.get.md)
+
+## LoggerFactory.get() method
+
+Returns a `Logger` instance for the specified context.
+
+<b>Signature:</b>
+
+```typescript
+get(...contextParts: string[]): Logger;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextParts | <code>string[]</code> | Parts of the context to return logger for. For example get('plugins', 'pid') will return a logger for the <code>plugins.pid</code> context. |
+
+<b>Returns:</b>
+
+`Logger`
+
diff --git a/docs/development/core/server/kibana-plugin-server.loggerfactory.md b/docs/development/core/server/kibana-plugin-server.loggerfactory.md
index 31e18ba4bb47b..07d5a4c012c4a 100644
--- a/docs/development/core/server/kibana-plugin-server.loggerfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.loggerfactory.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md)
-
-## LoggerFactory interface
-
-The single purpose of `LoggerFactory` interface is to define a way to retrieve a context-based logger instance.
-
-<b>Signature:</b>
-
-```typescript
-export interface LoggerFactory 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [get(contextParts)](./kibana-plugin-server.loggerfactory.get.md) | Returns a <code>Logger</code> instance for the specified context. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md)
+
+## LoggerFactory interface
+
+The single purpose of `LoggerFactory` interface is to define a way to retrieve a context-based logger instance.
+
+<b>Signature:</b>
+
+```typescript
+export interface LoggerFactory 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [get(contextParts)](./kibana-plugin-server.loggerfactory.get.md) | Returns a <code>Logger</code> instance for the specified context. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.logmeta.md b/docs/development/core/server/kibana-plugin-server.logmeta.md
index 11dbd01d7c8dc..268cb7419db16 100644
--- a/docs/development/core/server/kibana-plugin-server.logmeta.md
+++ b/docs/development/core/server/kibana-plugin-server.logmeta.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LogMeta](./kibana-plugin-server.logmeta.md)
-
-## LogMeta interface
-
-Contextual metadata
-
-<b>Signature:</b>
-
-```typescript
-export interface LogMeta 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LogMeta](./kibana-plugin-server.logmeta.md)
+
+## LogMeta interface
+
+Contextual metadata
+
+<b>Signature:</b>
+
+```typescript
+export interface LogMeta 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.md b/docs/development/core/server/kibana-plugin-server.md
index e7b1334652540..fbce46c3f4ad9 100644
--- a/docs/development/core/server/kibana-plugin-server.md
+++ b/docs/development/core/server/kibana-plugin-server.md
@@ -1,228 +1,228 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md)
-
-## kibana-plugin-server package
-
-The Kibana Core APIs for server-side plugins.
-
-A plugin requires a `kibana.json` file at it's root directory that follows [the manfiest schema](./kibana-plugin-server.pluginmanifest.md) to define static plugin information required to load the plugin.
-
-A plugin's `server/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-server.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-server.plugin.md)<!-- -->.
-
-The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-server.coresetup.md) or [CoreStart](./kibana-plugin-server.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
-
-## Classes
-
-|  Class | Description |
-|  --- | --- |
-|  [BasePath](./kibana-plugin-server.basepath.md) | Access or manipulate the Kibana base path |
-|  [ClusterClient](./kibana-plugin-server.clusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [CspConfig](./kibana-plugin-server.cspconfig.md) | CSP configuration for use in Kibana. |
-|  [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) | Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as <code>body.error.header[WWW-Authenticate]</code> |
-|  [KibanaRequest](./kibana-plugin-server.kibanarequest.md) | Kibana specific abstraction for an incoming request. |
-|  [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) | Error to return when the validation is not successful. |
-|  [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) |  |
-|  [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |  |
-|  [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |  |
-|  [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
-
-## Enumerations
-
-|  Enumeration | Description |
-|  --- | --- |
-|  [AuthResultType](./kibana-plugin-server.authresulttype.md) |  |
-|  [AuthStatus](./kibana-plugin-server.authstatus.md) | Status indicating an outcome of the authentication. |
-
-## Interfaces
-
-|  Interface | Description |
-|  --- | --- |
-|  [APICaller](./kibana-plugin-server.apicaller.md) |  |
-|  [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) |  |
-|  [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) |  |
-|  [Authenticated](./kibana-plugin-server.authenticated.md) |  |
-|  [AuthResultParams](./kibana-plugin-server.authresultparams.md) | Result of an incoming request authentication. |
-|  [AuthToolkit](./kibana-plugin-server.authtoolkit.md) | A tool set defining an outcome of Auth interceptor for incoming request. |
-|  [CallAPIOptions](./kibana-plugin-server.callapioptions.md) | The set of options that defines how API call should be made and result be processed. |
-|  [Capabilities](./kibana-plugin-server.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
-|  [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) | APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.<!-- -->Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the <code>registerProvider</code> method.<!-- -->Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the <code>registerSwitcher</code> method.<!-- -->Refers to the methods documentation for complete description and examples. |
-|  [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) | APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->. |
-|  [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) | Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.<!-- -->See methods documentation for more detailed examples. |
-|  [ContextSetup](./kibana-plugin-server.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [CoreSetup](./kibana-plugin-server.coresetup.md) | Context passed to the plugins <code>setup</code> method. |
-|  [CoreStart](./kibana-plugin-server.corestart.md) | Context passed to the plugins <code>start</code> method. |
-|  [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) | HTTP response parameters for a response with adjustable status code. |
-|  [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) |  |
-|  [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) |  |
-|  [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) |  |
-|  [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) | UiSettings deprecation field options. |
-|  [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) | Small container object used to expose information about discovered plugins that may or may not have been started. |
-|  [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) |  |
-|  [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |  |
-|  [EnvironmentMode](./kibana-plugin-server.environmentmode.md) |  |
-|  [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) | HTTP response parameters |
-|  [FakeRequest](./kibana-plugin-server.fakerequest.md) | Fake request object created manually by Kibana plugins. |
-|  [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) | HTTP response parameters |
-|  [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) | Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to <code>hapi</code> server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs. |
-|  [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) |  |
-|  [IContextContainer](./kibana-plugin-server.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [ICspConfig](./kibana-plugin-server.icspconfig.md) | CSP configuration for use in Kibana. |
-|  [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) | A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution |
-|  [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) | A tiny abstraction for TCP socket. |
-|  [ImageValidation](./kibana-plugin-server.imagevalidation.md) |  |
-|  [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md) |  |
-|  [IRenderOptions](./kibana-plugin-server.irenderoptions.md) |  |
-|  [IRouter](./kibana-plugin-server.irouter.md) | Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations. |
-|  [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) |  |
-|  [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) | Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. |
-|  [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) | Request events. |
-|  [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) | Request specific route information exposed to a handler. |
-|  [LegacyRequest](./kibana-plugin-server.legacyrequest.md) |  |
-|  [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) |  |
-|  [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) |  |
-|  [Logger](./kibana-plugin-server.logger.md) | Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins. |
-|  [LoggerFactory](./kibana-plugin-server.loggerfactory.md) | The single purpose of <code>LoggerFactory</code> interface is to define a way to retrieve a context-based logger instance. |
-|  [LogMeta](./kibana-plugin-server.logmeta.md) | Contextual metadata |
-|  [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) | A tool set defining an outcome of OnPostAuth interceptor for incoming request. |
-|  [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
-|  [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) | Additional data to extend a response. |
-|  [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) | Response status code. |
-|  [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
-|  [PackageInfo](./kibana-plugin-server.packageinfo.md) |  |
-|  [Plugin](./kibana-plugin-server.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
-|  [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) | Describes a plugin configuration properties. |
-|  [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) | Context that's available to plugins during initialization stage. |
-|  [PluginManifest](./kibana-plugin-server.pluginmanifest.md) | Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file. |
-|  [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) |  |
-|  [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) |  |
-|  [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) | Plugin specific context passed to a route handler.<!-- -->Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request |
-|  [RouteConfig](./kibana-plugin-server.routeconfig.md) | Route specific configuration. |
-|  [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) | Additional route options. |
-|  [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) | Additional body options for a route |
-|  [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) | Validation result factory to be used in the custom validation function to return the valid data or validation errors<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->. |
-|  [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) | The configuration object to the RouteValidator class. Set <code>params</code>, <code>query</code> and/or <code>body</code> to specify the validation logic to follow for that property. |
-|  [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) | Additional options for the RouteValidator class to modify its default behaviour. |
-|  [SavedObject](./kibana-plugin-server.savedobject.md) |  |
-|  [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) | A reference to another saved object. |
-|  [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) |  |
-|  [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) |  |
-|  [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) |  |
-|  [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) |  |
-|  [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) |  |
-|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) |  |
-|  [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) |  |
-|  [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) | Options to control the creation of the Saved Objects Client. |
-|  [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) | Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance. |
-|  [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) |  |
-|  [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) |  |
-|  [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) |  |
-|  [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) | Options controlling the export operation. |
-|  [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) | Structure of the export result details entry |
-|  [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) |  |
-|  [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
-|  [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
-|  [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) | Represents a failure to import. |
-|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
-|  [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) | Options to control the import operation. |
-|  [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) | The response describing the result of an import. |
-|  [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
-|  [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
-|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
-|  [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) |  |
-|  [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) |  |
-|  [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) | A raw document as represented directly in the saved object index. |
-|  [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) | Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) |
-|  [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) | Options to control the "resolve import" operation. |
-|  [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) | Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers. |
-|  [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects. |
-|  [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) |  |
-|  [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) |  |
-|  [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) | Return type from a function to validate cookie contents. |
-|  [SessionStorage](./kibana-plugin-server.sessionstorage.md) | Provides an interface to store and retrieve data across requests. |
-|  [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) | Configuration used to create HTTP session storage based on top of cookie mechanism. |
-|  [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) | SessionStorage factory to bind one to an incoming request |
-|  [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) | StringValidation with regex object |
-|  [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) | StringValidation as regex string |
-|  [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
-|  [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |  |
-|  [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |  |
-|  [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) | Describes the values explicitly set by user. |
-|  [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) | APIs to access the application's instance uuid. |
-
-## Variables
-
-|  Variable | Description |
-|  --- | --- |
-|  [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Set of helpers used to create <code>KibanaResponse</code> to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution. |
-|  [validBodyOutput](./kibana-plugin-server.validbodyoutput.md) | The set of valid body.output |
-
-## Type Aliases
-
-|  Type Alias | Description |
-|  --- | --- |
-|  [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md) | See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->. |
-|  [AuthHeaders](./kibana-plugin-server.authheaders.md) | Auth Headers map |
-|  [AuthResult](./kibana-plugin-server.authresult.md) |  |
-|  [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) | Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration. |
-|  [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md) | Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) |
-|  [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) | A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.<!-- -->See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples. |
-|  [ConfigPath](./kibana-plugin-server.configpath.md) |  |
-|  [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md) |  |
-|  [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md) | Get headers to authenticate a user against Elasticsearch. |
-|  [GetAuthState](./kibana-plugin-server.getauthstate.md) | Gets authentication state for a request. Returned by <code>auth</code> interceptor. |
-|  [HandlerContextType](./kibana-plugin-server.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context. |
-|  [HandlerFunction](./kibana-plugin-server.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md) |
-|  [HandlerParameters](./kibana-plugin-server.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->. |
-|  [Headers](./kibana-plugin-server.headers.md) | Http request headers to read. |
-|  [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md) | Data send to the client as a response payload. |
-|  [IBasePath](./kibana-plugin-server.ibasepath.md) | Access or manipulate the Kibana base path[BasePath](./kibana-plugin-server.basepath.md) |
-|  [IClusterClient](./kibana-plugin-server.iclusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [IContextProvider](./kibana-plugin-server.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
-|  [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md) | Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [IsAuthenticated](./kibana-plugin-server.isauthenticated.md) | Returns authentication status for a request. |
-|  [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md) | See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |
-|  [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
-|  [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md) | Route options: If 'GET' or 'OPTIONS' method, body options won't be returned. |
-|  [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Creates an object containing request response payload, HTTP headers, error details, and other data transmitted to the client. |
-|  [KnownHeaders](./kibana-plugin-server.knownheaders.md) | Set of well-known HTTP headers. |
-|  [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md) | Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client. |
-|  [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md) |  |
-|  [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md) |  |
-|  [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md) | Elasticsearch Refresh setting for mutating operation |
-|  [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md) | See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->. |
-|  [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
-|  [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
-|  [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) | Dedicated type for plugin configuration schema. |
-|  [PluginInitializer](./kibana-plugin-server.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>server</code> directory should conform to this interface. |
-|  [PluginName](./kibana-plugin-server.pluginname.md) | Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious. |
-|  [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md) |  |
-|  [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md) |  |
-|  [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md) | HTTP response parameters for redirection response |
-|  [RequestHandler](./kibana-plugin-server.requesthandler.md) | A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions. |
-|  [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md) | An object that handles registration of http request context providers. |
-|  [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md) | Context provider for request handler. Extends request context object with provided functionality or data. |
-|  [ResponseError](./kibana-plugin-server.responseerror.md) | Error message and optional data send to the client in case of error. |
-|  [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md) | Additional data to provide error details. |
-|  [ResponseHeaders](./kibana-plugin-server.responseheaders.md) | Http response headers to set. |
-|  [RouteContentType](./kibana-plugin-server.routecontenttype.md) | The set of supported parseable Content-Types |
-|  [RouteMethod](./kibana-plugin-server.routemethod.md) | The set of common HTTP methods supported by Kibana routing. |
-|  [RouteRegistrar](./kibana-plugin-server.routeregistrar.md) | Route handler common definition |
-|  [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) | The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements. |
-|  [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md) | Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation. |
-|  [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md) | Route validations config and options merged into one object |
-|  [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
-|  [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) |
-|  [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.<!-- -->\#\# SavedObjectsClient errors<!-- -->Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:<!-- -->1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)<!-- -->Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the <code>isXYZError()</code> helpers exposed at <code>SavedObjectsErrorHelpers</code> should be used to understand and manage error responses from the <code>SavedObjectsClient</code>.<!-- -->Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for <code>error.body.error.type</code> or doing substring checks on <code>error.body.error.reason</code>, just use the helpers to understand the meaning of the error:<!-- -->\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }<!-- -->if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }<!-- -->// always rethrow the error unless you handle it throw error; \`\`\`<!-- -->\#\#\# 404s from missing index<!-- -->From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.<!-- -->At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.<!-- -->From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.<!-- -->\#\#\# 503s from missing index<!-- -->Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's <code>action.auto_create_index</code> setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.<!-- -->See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |
-|  [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md) | Describes the factory used to create instances of the Saved Objects Client. |
-|  [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) | Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->. |
-|  [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) | Describes the factory used to create instances of Saved Objects Client Wrappers. |
-|  [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md) | A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.<!-- -->See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->. |
-|  [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md) |  |
-|  [StringValidation](./kibana-plugin-server.stringvalidation.md) | Allows regex objects or a regex string |
-|  [UiSettingsType](./kibana-plugin-server.uisettingstype.md) | UI element type to represent the settings. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md)
+
+## kibana-plugin-server package
+
+The Kibana Core APIs for server-side plugins.
+
+A plugin requires a `kibana.json` file at it's root directory that follows [the manfiest schema](./kibana-plugin-server.pluginmanifest.md) to define static plugin information required to load the plugin.
+
+A plugin's `server/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-server.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-server.plugin.md)<!-- -->.
+
+The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-server.coresetup.md) or [CoreStart](./kibana-plugin-server.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
+
+## Classes
+
+|  Class | Description |
+|  --- | --- |
+|  [BasePath](./kibana-plugin-server.basepath.md) | Access or manipulate the Kibana base path |
+|  [ClusterClient](./kibana-plugin-server.clusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [CspConfig](./kibana-plugin-server.cspconfig.md) | CSP configuration for use in Kibana. |
+|  [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) | Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as <code>body.error.header[WWW-Authenticate]</code> |
+|  [KibanaRequest](./kibana-plugin-server.kibanarequest.md) | Kibana specific abstraction for an incoming request. |
+|  [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) | Error to return when the validation is not successful. |
+|  [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) |  |
+|  [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |  |
+|  [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |  |
+|  [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
+
+## Enumerations
+
+|  Enumeration | Description |
+|  --- | --- |
+|  [AuthResultType](./kibana-plugin-server.authresulttype.md) |  |
+|  [AuthStatus](./kibana-plugin-server.authstatus.md) | Status indicating an outcome of the authentication. |
+
+## Interfaces
+
+|  Interface | Description |
+|  --- | --- |
+|  [APICaller](./kibana-plugin-server.apicaller.md) |  |
+|  [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) |  |
+|  [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) |  |
+|  [Authenticated](./kibana-plugin-server.authenticated.md) |  |
+|  [AuthResultParams](./kibana-plugin-server.authresultparams.md) | Result of an incoming request authentication. |
+|  [AuthToolkit](./kibana-plugin-server.authtoolkit.md) | A tool set defining an outcome of Auth interceptor for incoming request. |
+|  [CallAPIOptions](./kibana-plugin-server.callapioptions.md) | The set of options that defines how API call should be made and result be processed. |
+|  [Capabilities](./kibana-plugin-server.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
+|  [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) | APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.<!-- -->Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the <code>registerProvider</code> method.<!-- -->Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the <code>registerSwitcher</code> method.<!-- -->Refers to the methods documentation for complete description and examples. |
+|  [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) | APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->. |
+|  [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) | Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.<!-- -->See methods documentation for more detailed examples. |
+|  [ContextSetup](./kibana-plugin-server.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [CoreSetup](./kibana-plugin-server.coresetup.md) | Context passed to the plugins <code>setup</code> method. |
+|  [CoreStart](./kibana-plugin-server.corestart.md) | Context passed to the plugins <code>start</code> method. |
+|  [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) | HTTP response parameters for a response with adjustable status code. |
+|  [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) |  |
+|  [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) |  |
+|  [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) |  |
+|  [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) | UiSettings deprecation field options. |
+|  [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) | Small container object used to expose information about discovered plugins that may or may not have been started. |
+|  [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) |  |
+|  [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |  |
+|  [EnvironmentMode](./kibana-plugin-server.environmentmode.md) |  |
+|  [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) | HTTP response parameters |
+|  [FakeRequest](./kibana-plugin-server.fakerequest.md) | Fake request object created manually by Kibana plugins. |
+|  [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) | HTTP response parameters |
+|  [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) | Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to <code>hapi</code> server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs. |
+|  [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) |  |
+|  [IContextContainer](./kibana-plugin-server.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [ICspConfig](./kibana-plugin-server.icspconfig.md) | CSP configuration for use in Kibana. |
+|  [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) | A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution |
+|  [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) | A tiny abstraction for TCP socket. |
+|  [ImageValidation](./kibana-plugin-server.imagevalidation.md) |  |
+|  [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md) |  |
+|  [IRenderOptions](./kibana-plugin-server.irenderoptions.md) |  |
+|  [IRouter](./kibana-plugin-server.irouter.md) | Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations. |
+|  [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) |  |
+|  [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) | Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. |
+|  [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) | Request events. |
+|  [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) | Request specific route information exposed to a handler. |
+|  [LegacyRequest](./kibana-plugin-server.legacyrequest.md) |  |
+|  [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) |  |
+|  [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) |  |
+|  [Logger](./kibana-plugin-server.logger.md) | Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins. |
+|  [LoggerFactory](./kibana-plugin-server.loggerfactory.md) | The single purpose of <code>LoggerFactory</code> interface is to define a way to retrieve a context-based logger instance. |
+|  [LogMeta](./kibana-plugin-server.logmeta.md) | Contextual metadata |
+|  [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) | A tool set defining an outcome of OnPostAuth interceptor for incoming request. |
+|  [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
+|  [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) | Additional data to extend a response. |
+|  [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) | Response status code. |
+|  [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
+|  [PackageInfo](./kibana-plugin-server.packageinfo.md) |  |
+|  [Plugin](./kibana-plugin-server.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
+|  [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) | Describes a plugin configuration properties. |
+|  [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) | Context that's available to plugins during initialization stage. |
+|  [PluginManifest](./kibana-plugin-server.pluginmanifest.md) | Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file. |
+|  [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) |  |
+|  [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) |  |
+|  [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) | Plugin specific context passed to a route handler.<!-- -->Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request |
+|  [RouteConfig](./kibana-plugin-server.routeconfig.md) | Route specific configuration. |
+|  [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) | Additional route options. |
+|  [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) | Additional body options for a route |
+|  [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) | Validation result factory to be used in the custom validation function to return the valid data or validation errors<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->. |
+|  [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) | The configuration object to the RouteValidator class. Set <code>params</code>, <code>query</code> and/or <code>body</code> to specify the validation logic to follow for that property. |
+|  [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) | Additional options for the RouteValidator class to modify its default behaviour. |
+|  [SavedObject](./kibana-plugin-server.savedobject.md) |  |
+|  [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) | A reference to another saved object. |
+|  [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) |  |
+|  [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) |  |
+|  [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) |  |
+|  [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) |  |
+|  [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) |  |
+|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) |  |
+|  [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) |  |
+|  [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) | Options to control the creation of the Saved Objects Client. |
+|  [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) | Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance. |
+|  [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) |  |
+|  [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) |  |
+|  [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) |  |
+|  [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) | Options controlling the export operation. |
+|  [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) | Structure of the export result details entry |
+|  [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) |  |
+|  [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
+|  [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
+|  [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) | Represents a failure to import. |
+|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
+|  [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) | Options to control the import operation. |
+|  [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) | The response describing the result of an import. |
+|  [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
+|  [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
+|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
+|  [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) |  |
+|  [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) |  |
+|  [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) | A raw document as represented directly in the saved object index. |
+|  [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) | Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) |
+|  [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) | Options to control the "resolve import" operation. |
+|  [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) | Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers. |
+|  [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects. |
+|  [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) |  |
+|  [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) |  |
+|  [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) | Return type from a function to validate cookie contents. |
+|  [SessionStorage](./kibana-plugin-server.sessionstorage.md) | Provides an interface to store and retrieve data across requests. |
+|  [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) | Configuration used to create HTTP session storage based on top of cookie mechanism. |
+|  [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) | SessionStorage factory to bind one to an incoming request |
+|  [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) | StringValidation with regex object |
+|  [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) | StringValidation as regex string |
+|  [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
+|  [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |  |
+|  [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |  |
+|  [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) | Describes the values explicitly set by user. |
+|  [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) | APIs to access the application's instance uuid. |
+
+## Variables
+
+|  Variable | Description |
+|  --- | --- |
+|  [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Set of helpers used to create <code>KibanaResponse</code> to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution. |
+|  [validBodyOutput](./kibana-plugin-server.validbodyoutput.md) | The set of valid body.output |
+
+## Type Aliases
+
+|  Type Alias | Description |
+|  --- | --- |
+|  [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md) | See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->. |
+|  [AuthHeaders](./kibana-plugin-server.authheaders.md) | Auth Headers map |
+|  [AuthResult](./kibana-plugin-server.authresult.md) |  |
+|  [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) | Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration. |
+|  [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md) | Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) |
+|  [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) | A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.<!-- -->See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples. |
+|  [ConfigPath](./kibana-plugin-server.configpath.md) |  |
+|  [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md) |  |
+|  [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md) | Get headers to authenticate a user against Elasticsearch. |
+|  [GetAuthState](./kibana-plugin-server.getauthstate.md) | Gets authentication state for a request. Returned by <code>auth</code> interceptor. |
+|  [HandlerContextType](./kibana-plugin-server.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context. |
+|  [HandlerFunction](./kibana-plugin-server.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md) |
+|  [HandlerParameters](./kibana-plugin-server.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->. |
+|  [Headers](./kibana-plugin-server.headers.md) | Http request headers to read. |
+|  [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md) | Data send to the client as a response payload. |
+|  [IBasePath](./kibana-plugin-server.ibasepath.md) | Access or manipulate the Kibana base path[BasePath](./kibana-plugin-server.basepath.md) |
+|  [IClusterClient](./kibana-plugin-server.iclusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [IContextProvider](./kibana-plugin-server.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
+|  [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md) | Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [IsAuthenticated](./kibana-plugin-server.isauthenticated.md) | Returns authentication status for a request. |
+|  [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md) | See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |
+|  [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
+|  [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md) | Route options: If 'GET' or 'OPTIONS' method, body options won't be returned. |
+|  [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Creates an object containing request response payload, HTTP headers, error details, and other data transmitted to the client. |
+|  [KnownHeaders](./kibana-plugin-server.knownheaders.md) | Set of well-known HTTP headers. |
+|  [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md) | Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client. |
+|  [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md) |  |
+|  [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md) |  |
+|  [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md) | Elasticsearch Refresh setting for mutating operation |
+|  [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md) | See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->. |
+|  [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
+|  [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
+|  [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) | Dedicated type for plugin configuration schema. |
+|  [PluginInitializer](./kibana-plugin-server.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>server</code> directory should conform to this interface. |
+|  [PluginName](./kibana-plugin-server.pluginname.md) | Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious. |
+|  [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md) |  |
+|  [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md) |  |
+|  [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md) | HTTP response parameters for redirection response |
+|  [RequestHandler](./kibana-plugin-server.requesthandler.md) | A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions. |
+|  [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md) | An object that handles registration of http request context providers. |
+|  [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md) | Context provider for request handler. Extends request context object with provided functionality or data. |
+|  [ResponseError](./kibana-plugin-server.responseerror.md) | Error message and optional data send to the client in case of error. |
+|  [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md) | Additional data to provide error details. |
+|  [ResponseHeaders](./kibana-plugin-server.responseheaders.md) | Http response headers to set. |
+|  [RouteContentType](./kibana-plugin-server.routecontenttype.md) | The set of supported parseable Content-Types |
+|  [RouteMethod](./kibana-plugin-server.routemethod.md) | The set of common HTTP methods supported by Kibana routing. |
+|  [RouteRegistrar](./kibana-plugin-server.routeregistrar.md) | Route handler common definition |
+|  [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) | The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements. |
+|  [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md) | Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation. |
+|  [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md) | Route validations config and options merged into one object |
+|  [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
+|  [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) |
+|  [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.<!-- -->\#\# SavedObjectsClient errors<!-- -->Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:<!-- -->1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)<!-- -->Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the <code>isXYZError()</code> helpers exposed at <code>SavedObjectsErrorHelpers</code> should be used to understand and manage error responses from the <code>SavedObjectsClient</code>.<!-- -->Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for <code>error.body.error.type</code> or doing substring checks on <code>error.body.error.reason</code>, just use the helpers to understand the meaning of the error:<!-- -->\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }<!-- -->if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }<!-- -->// always rethrow the error unless you handle it throw error; \`\`\`<!-- -->\#\#\# 404s from missing index<!-- -->From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.<!-- -->At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.<!-- -->From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.<!-- -->\#\#\# 503s from missing index<!-- -->Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's <code>action.auto_create_index</code> setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.<!-- -->See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |
+|  [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md) | Describes the factory used to create instances of the Saved Objects Client. |
+|  [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) | Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->. |
+|  [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) | Describes the factory used to create instances of Saved Objects Client Wrappers. |
+|  [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md) | A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.<!-- -->See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->. |
+|  [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md) |  |
+|  [StringValidation](./kibana-plugin-server.stringvalidation.md) | Allows regex objects or a regex string |
+|  [UiSettingsType](./kibana-plugin-server.uisettingstype.md) | UI element type to represent the settings. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md b/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
index 879412e3a8ca8..e5ecc6779b282 100644
--- a/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
+++ b/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md)
-
-## MIGRATION\_ASSISTANCE\_INDEX\_ACTION type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type MIGRATION_ASSISTANCE_INDEX_ACTION = 'upgrade' | 'reindex';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md)
+
+## MIGRATION\_ASSISTANCE\_INDEX\_ACTION type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type MIGRATION_ASSISTANCE_INDEX_ACTION = 'upgrade' | 'reindex';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md b/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
index 00f018da02d18..33e02a1b2bce0 100644
--- a/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
+++ b/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md)
-
-## MIGRATION\_DEPRECATION\_LEVEL type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type MIGRATION_DEPRECATION_LEVEL = 'none' | 'info' | 'warning' | 'critical';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md)
+
+## MIGRATION\_DEPRECATION\_LEVEL type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type MIGRATION_DEPRECATION_LEVEL = 'none' | 'info' | 'warning' | 'critical';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md b/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
index 7d2187bec6c25..94c8fa8c22ef6 100644
--- a/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
+++ b/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md)
-
-## MutatingOperationRefreshSetting type
-
-Elasticsearch Refresh setting for mutating operation
-
-<b>Signature:</b>
-
-```typescript
-export declare type MutatingOperationRefreshSetting = boolean | 'wait_for';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md)
+
+## MutatingOperationRefreshSetting type
+
+Elasticsearch Refresh setting for mutating operation
+
+<b>Signature:</b>
+
+```typescript
+export declare type MutatingOperationRefreshSetting = boolean | 'wait_for';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md b/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
index 3191ca0f38002..a887dea26e3bc 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)
-
-## OnPostAuthHandler type
-
-See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPostAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPostAuthToolkit) => OnPostAuthResult | KibanaResponse | Promise<OnPostAuthResult | KibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)
+
+## OnPostAuthHandler type
+
+See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPostAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPostAuthToolkit) => OnPostAuthResult | KibanaResponse | Promise<OnPostAuthResult | KibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
index 9e73a77fc4b0c..001c14c53fecb 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)
-
-## OnPostAuthToolkit interface
-
-A tool set defining an outcome of OnPostAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPostAuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpostauthtoolkit.next.md) | <code>() =&gt; OnPostAuthResult</code> | To pass request to the next handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)
+
+## OnPostAuthToolkit interface
+
+A tool set defining an outcome of OnPostAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPostAuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpostauthtoolkit.next.md) | <code>() =&gt; OnPostAuthResult</code> | To pass request to the next handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
index 877f41e49c493..cc9120defa442 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpostauthtoolkit.next.md)
-
-## OnPostAuthToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: () => OnPostAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpostauthtoolkit.next.md)
+
+## OnPostAuthToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: () => OnPostAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md b/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
index dee943f6ee3b5..003bd4b19eadf 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)
-
-## OnPreAuthHandler type
-
-See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPreAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPreAuthToolkit) => OnPreAuthResult | KibanaResponse | Promise<OnPreAuthResult | KibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)
+
+## OnPreAuthHandler type
+
+See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPreAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPreAuthToolkit) => OnPreAuthResult | KibanaResponse | Promise<OnPreAuthResult | KibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
index 166eee8759df4..174f377eec292 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)
-
-## OnPreAuthToolkit interface
-
-A tool set defining an outcome of OnPreAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreAuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpreauthtoolkit.next.md) | <code>() =&gt; OnPreAuthResult</code> | To pass request to the next handler |
-|  [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md) | <code>(url: string) =&gt; OnPreAuthResult</code> | Rewrite requested resources url before is was authenticated and routed to a handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)
+
+## OnPreAuthToolkit interface
+
+A tool set defining an outcome of OnPreAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreAuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpreauthtoolkit.next.md) | <code>() =&gt; OnPreAuthResult</code> | To pass request to the next handler |
+|  [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md) | <code>(url: string) =&gt; OnPreAuthResult</code> | Rewrite requested resources url before is was authenticated and routed to a handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
index 37909cbd8b24b..9281e5879ce9b 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpreauthtoolkit.next.md)
-
-## OnPreAuthToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: () => OnPreAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpreauthtoolkit.next.md)
+
+## OnPreAuthToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: () => OnPreAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
index c7d97b31c364c..0f401379c20fd 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md)
-
-## OnPreAuthToolkit.rewriteUrl property
-
-Rewrite requested resources url before is was authenticated and routed to a handler
-
-<b>Signature:</b>
-
-```typescript
-rewriteUrl: (url: string) => OnPreAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md)
+
+## OnPreAuthToolkit.rewriteUrl property
+
+Rewrite requested resources url before is was authenticated and routed to a handler
+
+<b>Signature:</b>
+
+```typescript
+rewriteUrl: (url: string) => OnPreAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
index 28fa2fd4a3035..8736020daf063 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) &gt; [headers](./kibana-plugin-server.onpreresponseextensions.headers.md)
-
-## OnPreResponseExtensions.headers property
-
-additional headers to attach to the response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) &gt; [headers](./kibana-plugin-server.onpreresponseextensions.headers.md)
+
+## OnPreResponseExtensions.headers property
+
+additional headers to attach to the response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
index 7fd85e2371e0f..e5aa624c39909 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md)
-
-## OnPreResponseExtensions interface
-
-Additional data to extend a response.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseExtensions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [headers](./kibana-plugin-server.onpreresponseextensions.headers.md) | <code>ResponseHeaders</code> | additional headers to attach to the response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md)
+
+## OnPreResponseExtensions interface
+
+Additional data to extend a response.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseExtensions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [headers](./kibana-plugin-server.onpreresponseextensions.headers.md) | <code>ResponseHeaders</code> | additional headers to attach to the response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md b/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
index 9390686280a78..082de0a9b4aeb 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)
-
-## OnPreResponseHandler type
-
-See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPreResponseHandler = (request: KibanaRequest, preResponse: OnPreResponseInfo, toolkit: OnPreResponseToolkit) => OnPreResponseResult | Promise<OnPreResponseResult>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)
+
+## OnPreResponseHandler type
+
+See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPreResponseHandler = (request: KibanaRequest, preResponse: OnPreResponseInfo, toolkit: OnPreResponseToolkit) => OnPreResponseResult | Promise<OnPreResponseResult>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
index 934b1d517ac46..736b4298037cf 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md)
-
-## OnPreResponseInfo interface
-
-Response status code.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md)
+
+## OnPreResponseInfo interface
+
+Response status code.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
index ffe04f2583a9b..4fd4529dc400f 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) &gt; [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md)
-
-## OnPreResponseInfo.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) &gt; [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md)
+
+## OnPreResponseInfo.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
index 9355731817409..5525f5bf60284 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md)
-
-## OnPreResponseToolkit interface
-
-A tool set defining an outcome of OnPreAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpreresponsetoolkit.next.md) | <code>(responseExtensions?: OnPreResponseExtensions) =&gt; OnPreResponseResult</code> | To pass request to the next handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md)
+
+## OnPreResponseToolkit interface
+
+A tool set defining an outcome of OnPreAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpreresponsetoolkit.next.md) | <code>(responseExtensions?: OnPreResponseExtensions) =&gt; OnPreResponseResult</code> | To pass request to the next handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
index cb4d67646a604..bfb5827b16b2f 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) &gt; [next](./kibana-plugin-server.onpreresponsetoolkit.next.md)
-
-## OnPreResponseToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: (responseExtensions?: OnPreResponseExtensions) => OnPreResponseResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) &gt; [next](./kibana-plugin-server.onpreresponsetoolkit.next.md)
+
+## OnPreResponseToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: (responseExtensions?: OnPreResponseExtensions) => OnPreResponseResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md b/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
index b9e086c38a22f..36f187180d31b 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [branch](./kibana-plugin-server.packageinfo.branch.md)
-
-## PackageInfo.branch property
-
-<b>Signature:</b>
-
-```typescript
-branch: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [branch](./kibana-plugin-server.packageinfo.branch.md)
+
+## PackageInfo.branch property
+
+<b>Signature:</b>
+
+```typescript
+branch: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md b/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
index 2575d3d4170fb..c0a231ee27ab0 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildNum](./kibana-plugin-server.packageinfo.buildnum.md)
-
-## PackageInfo.buildNum property
-
-<b>Signature:</b>
-
-```typescript
-buildNum: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildNum](./kibana-plugin-server.packageinfo.buildnum.md)
+
+## PackageInfo.buildNum property
+
+<b>Signature:</b>
+
+```typescript
+buildNum: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md b/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
index ae0cc4c7db0b7..5e8de48067dd0 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildSha](./kibana-plugin-server.packageinfo.buildsha.md)
-
-## PackageInfo.buildSha property
-
-<b>Signature:</b>
-
-```typescript
-buildSha: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildSha](./kibana-plugin-server.packageinfo.buildsha.md)
+
+## PackageInfo.buildSha property
+
+<b>Signature:</b>
+
+```typescript
+buildSha: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md b/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
index 16d2b68a26623..e45970780d522 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [dist](./kibana-plugin-server.packageinfo.dist.md)
-
-## PackageInfo.dist property
-
-<b>Signature:</b>
-
-```typescript
-dist: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [dist](./kibana-plugin-server.packageinfo.dist.md)
+
+## PackageInfo.dist property
+
+<b>Signature:</b>
+
+```typescript
+dist: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.md b/docs/development/core/server/kibana-plugin-server.packageinfo.md
index c0c7e103a6077..3ff02c9cda85d 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md)
-
-## PackageInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PackageInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [branch](./kibana-plugin-server.packageinfo.branch.md) | <code>string</code> |  |
-|  [buildNum](./kibana-plugin-server.packageinfo.buildnum.md) | <code>number</code> |  |
-|  [buildSha](./kibana-plugin-server.packageinfo.buildsha.md) | <code>string</code> |  |
-|  [dist](./kibana-plugin-server.packageinfo.dist.md) | <code>boolean</code> |  |
-|  [version](./kibana-plugin-server.packageinfo.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md)
+
+## PackageInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PackageInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [branch](./kibana-plugin-server.packageinfo.branch.md) | <code>string</code> |  |
+|  [buildNum](./kibana-plugin-server.packageinfo.buildnum.md) | <code>number</code> |  |
+|  [buildSha](./kibana-plugin-server.packageinfo.buildsha.md) | <code>string</code> |  |
+|  [dist](./kibana-plugin-server.packageinfo.dist.md) | <code>boolean</code> |  |
+|  [version](./kibana-plugin-server.packageinfo.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.version.md b/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
index f17ee6ee34199..e99e3c48d7041 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [version](./kibana-plugin-server.packageinfo.version.md)
-
-## PackageInfo.version property
-
-<b>Signature:</b>
-
-```typescript
-version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [version](./kibana-plugin-server.packageinfo.version.md)
+
+## PackageInfo.version property
+
+<b>Signature:</b>
+
+```typescript
+version: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.md b/docs/development/core/server/kibana-plugin-server.plugin.md
index 5b2c206e71e63..73faf020a4a16 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md)
-
-## Plugin interface
-
-The interface that should be returned by a `PluginInitializer`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [setup(core, plugins)](./kibana-plugin-server.plugin.setup.md) |  |
-|  [start(core, plugins)](./kibana-plugin-server.plugin.start.md) |  |
-|  [stop()](./kibana-plugin-server.plugin.stop.md) |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md)
+
+## Plugin interface
+
+The interface that should be returned by a `PluginInitializer`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [setup(core, plugins)](./kibana-plugin-server.plugin.setup.md) |  |
+|  [start(core, plugins)](./kibana-plugin-server.plugin.start.md) |  |
+|  [stop()](./kibana-plugin-server.plugin.stop.md) |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.setup.md b/docs/development/core/server/kibana-plugin-server.plugin.setup.md
index 66b669b28675d..5ceb504f796f1 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.setup.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.setup.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [setup](./kibana-plugin-server.plugin.setup.md)
-
-## Plugin.setup() method
-
-<b>Signature:</b>
-
-```typescript
-setup(core: CoreSetup, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreSetup</code> |  |
-|  plugins | <code>TPluginsSetup</code> |  |
-
-<b>Returns:</b>
-
-`TSetup | Promise<TSetup>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [setup](./kibana-plugin-server.plugin.setup.md)
+
+## Plugin.setup() method
+
+<b>Signature:</b>
+
+```typescript
+setup(core: CoreSetup, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreSetup</code> |  |
+|  plugins | <code>TPluginsSetup</code> |  |
+
+<b>Returns:</b>
+
+`TSetup | Promise<TSetup>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.start.md b/docs/development/core/server/kibana-plugin-server.plugin.start.md
index cfa692e704117..6ce9f05de7731 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.start.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.start.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [start](./kibana-plugin-server.plugin.start.md)
-
-## Plugin.start() method
-
-<b>Signature:</b>
-
-```typescript
-start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreStart</code> |  |
-|  plugins | <code>TPluginsStart</code> |  |
-
-<b>Returns:</b>
-
-`TStart | Promise<TStart>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [start](./kibana-plugin-server.plugin.start.md)
+
+## Plugin.start() method
+
+<b>Signature:</b>
+
+```typescript
+start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreStart</code> |  |
+|  plugins | <code>TPluginsStart</code> |  |
+
+<b>Returns:</b>
+
+`TStart | Promise<TStart>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.stop.md b/docs/development/core/server/kibana-plugin-server.plugin.stop.md
index f46d170e77418..1c51727c1d166 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.stop.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.stop.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [stop](./kibana-plugin-server.plugin.stop.md)
-
-## Plugin.stop() method
-
-<b>Signature:</b>
-
-```typescript
-stop?(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [stop](./kibana-plugin-server.plugin.stop.md)
+
+## Plugin.stop() method
+
+<b>Signature:</b>
+
+```typescript
+stop?(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
index 74cce60402338..00574101838f2 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md)
-
-## PluginConfigDescriptor.deprecations property
-
-Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration.
-
-<b>Signature:</b>
-
-```typescript
-deprecations?: ConfigDeprecationProvider;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md)
+
+## PluginConfigDescriptor.deprecations property
+
+Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration.
+
+<b>Signature:</b>
+
+```typescript
+deprecations?: ConfigDeprecationProvider;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
index 23e8ca5f9dec3..d62b2457e9d9a 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md)
-
-## PluginConfigDescriptor.exposeToBrowser property
-
-List of configuration properties that will be available on the client-side plugin.
-
-<b>Signature:</b>
-
-```typescript
-exposeToBrowser?: {
-        [P in keyof T]?: boolean;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md)
+
+## PluginConfigDescriptor.exposeToBrowser property
+
+List of configuration properties that will be available on the client-side plugin.
+
+<b>Signature:</b>
+
+```typescript
+exposeToBrowser?: {
+        [P in keyof T]?: boolean;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
index 731572d2167e9..3d661ac66d2b7 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
@@ -1,50 +1,50 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md)
-
-## PluginConfigDescriptor interface
-
-Describes a plugin configuration properties.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginConfigDescriptor<T = any> 
-```
-
-## Example
-
-
-```typescript
-// my_plugin/server/index.ts
-import { schema, TypeOf } from '@kbn/config-schema';
-import { PluginConfigDescriptor } from 'kibana/server';
-
-const configSchema = schema.object({
-  secret: schema.string({ defaultValue: 'Only on server' }),
-  uiProp: schema.string({ defaultValue: 'Accessible from client' }),
-});
-
-type ConfigType = TypeOf<typeof configSchema>;
-
-export const config: PluginConfigDescriptor<ConfigType> = {
-  exposeToBrowser: {
-    uiProp: true,
-  },
-  schema: configSchema,
-  deprecations: ({ rename, unused }) => [
-    rename('securityKey', 'secret'),
-    unused('deprecatedProperty'),
-  ],
-};
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md) | <code>ConfigDeprecationProvider</code> | Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration. |
-|  [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md) | <code>{</code><br/><code>        [P in keyof T]?: boolean;</code><br/><code>    }</code> | List of configuration properties that will be available on the client-side plugin. |
-|  [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md) | <code>PluginConfigSchema&lt;T&gt;</code> | Schema to use to validate the plugin configuration.[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md)
+
+## PluginConfigDescriptor interface
+
+Describes a plugin configuration properties.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginConfigDescriptor<T = any> 
+```
+
+## Example
+
+
+```typescript
+// my_plugin/server/index.ts
+import { schema, TypeOf } from '@kbn/config-schema';
+import { PluginConfigDescriptor } from 'kibana/server';
+
+const configSchema = schema.object({
+  secret: schema.string({ defaultValue: 'Only on server' }),
+  uiProp: schema.string({ defaultValue: 'Accessible from client' }),
+});
+
+type ConfigType = TypeOf<typeof configSchema>;
+
+export const config: PluginConfigDescriptor<ConfigType> = {
+  exposeToBrowser: {
+    uiProp: true,
+  },
+  schema: configSchema,
+  deprecations: ({ rename, unused }) => [
+    rename('securityKey', 'secret'),
+    unused('deprecatedProperty'),
+  ],
+};
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md) | <code>ConfigDeprecationProvider</code> | Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration. |
+|  [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md) | <code>{</code><br/><code>        [P in keyof T]?: boolean;</code><br/><code>    }</code> | List of configuration properties that will be available on the client-side plugin. |
+|  [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md) | <code>PluginConfigSchema&lt;T&gt;</code> | Schema to use to validate the plugin configuration.[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
index eae10cae3cc98..c4845d52ff212 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md)
-
-## PluginConfigDescriptor.schema property
-
-Schema to use to validate the plugin configuration.
-
-[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
-
-<b>Signature:</b>
-
-```typescript
-schema: PluginConfigSchema<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md)
+
+## PluginConfigDescriptor.schema property
+
+Schema to use to validate the plugin configuration.
+
+[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
+
+<b>Signature:</b>
+
+```typescript
+schema: PluginConfigSchema<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md b/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
index fcc65e431337e..6528798ec8e01 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
-
-## PluginConfigSchema type
-
-Dedicated type for plugin configuration schema.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginConfigSchema<T> = Type<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
+
+## PluginConfigSchema type
+
+Dedicated type for plugin configuration schema.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginConfigSchema<T> = Type<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializer.md b/docs/development/core/server/kibana-plugin-server.plugininitializer.md
index 3412f4da7f09d..1254ed2c88da3 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializer.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializer](./kibana-plugin-server.plugininitializer.md)
-
-## PluginInitializer type
-
-The `plugin` export at the root of a plugin's `server` directory should conform to this interface.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializer](./kibana-plugin-server.plugininitializer.md)
+
+## PluginInitializer type
+
+The `plugin` export at the root of a plugin's `server` directory should conform to this interface.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
index b555d5c889cb9..56d064dcb290e 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [config](./kibana-plugin-server.plugininitializercontext.config.md)
-
-## PluginInitializerContext.config property
-
-<b>Signature:</b>
-
-```typescript
-config: {
-        legacy: {
-            globalConfig$: Observable<SharedGlobalConfig>;
-        };
-        create: <T = ConfigSchema>() => Observable<T>;
-        createIfExists: <T = ConfigSchema>() => Observable<T | undefined>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [config](./kibana-plugin-server.plugininitializercontext.config.md)
+
+## PluginInitializerContext.config property
+
+<b>Signature:</b>
+
+```typescript
+config: {
+        legacy: {
+            globalConfig$: Observable<SharedGlobalConfig>;
+        };
+        create: <T = ConfigSchema>() => Observable<T>;
+        createIfExists: <T = ConfigSchema>() => Observable<T | undefined>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
index 91bbc7839e495..fd4caa605c0e5 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [env](./kibana-plugin-server.plugininitializercontext.env.md)
-
-## PluginInitializerContext.env property
-
-<b>Signature:</b>
-
-```typescript
-env: {
-        mode: EnvironmentMode;
-        packageInfo: Readonly<PackageInfo>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [env](./kibana-plugin-server.plugininitializercontext.env.md)
+
+## PluginInitializerContext.env property
+
+<b>Signature:</b>
+
+```typescript
+env: {
+        mode: EnvironmentMode;
+        packageInfo: Readonly<PackageInfo>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
index d50e9df486be7..688560f324d17 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [logger](./kibana-plugin-server.plugininitializercontext.logger.md)
-
-## PluginInitializerContext.logger property
-
-<b>Signature:</b>
-
-```typescript
-logger: LoggerFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [logger](./kibana-plugin-server.plugininitializercontext.logger.md)
+
+## PluginInitializerContext.logger property
+
+<b>Signature:</b>
+
+```typescript
+logger: LoggerFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
index 6adf7f277f632..c2fadfb779fc9 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md)
-
-## PluginInitializerContext interface
-
-Context that's available to plugins during initialization stage.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginInitializerContext<ConfigSchema = unknown> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [config](./kibana-plugin-server.plugininitializercontext.config.md) | <code>{</code><br/><code>        legacy: {</code><br/><code>            globalConfig$: Observable&lt;SharedGlobalConfig&gt;;</code><br/><code>        };</code><br/><code>        create: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T&gt;;</code><br/><code>        createIfExists: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T &#124; undefined&gt;;</code><br/><code>    }</code> |  |
-|  [env](./kibana-plugin-server.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: EnvironmentMode;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
-|  [logger](./kibana-plugin-server.plugininitializercontext.logger.md) | <code>LoggerFactory</code> |  |
-|  [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md)
+
+## PluginInitializerContext interface
+
+Context that's available to plugins during initialization stage.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginInitializerContext<ConfigSchema = unknown> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [config](./kibana-plugin-server.plugininitializercontext.config.md) | <code>{</code><br/><code>        legacy: {</code><br/><code>            globalConfig$: Observable&lt;SharedGlobalConfig&gt;;</code><br/><code>        };</code><br/><code>        create: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T&gt;;</code><br/><code>        createIfExists: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T &#124; undefined&gt;;</code><br/><code>    }</code> |  |
+|  [env](./kibana-plugin-server.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: EnvironmentMode;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
+|  [logger](./kibana-plugin-server.plugininitializercontext.logger.md) | <code>LoggerFactory</code> |  |
+|  [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
index e3149f8249892..7ac177f039c91 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md)
-
-## PluginInitializerContext.opaqueId property
-
-<b>Signature:</b>
-
-```typescript
-opaqueId: PluginOpaqueId;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md)
+
+## PluginInitializerContext.opaqueId property
+
+<b>Signature:</b>
+
+```typescript
+opaqueId: PluginOpaqueId;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
index 24b83cb22b535..6ffe396aa2ed1 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [configPath](./kibana-plugin-server.pluginmanifest.configpath.md)
-
-## PluginManifest.configPath property
-
-Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format.
-
-<b>Signature:</b>
-
-```typescript
-readonly configPath: ConfigPath;
-```
-
-## Example
-
-id: myPlugin configPath: my\_plugin
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [configPath](./kibana-plugin-server.pluginmanifest.configpath.md)
+
+## PluginManifest.configPath property
+
+Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format.
+
+<b>Signature:</b>
+
+```typescript
+readonly configPath: ConfigPath;
+```
+
+## Example
+
+id: myPlugin configPath: my\_plugin
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
index 34b0f3afc3f77..104046f3ce7d0 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [id](./kibana-plugin-server.pluginmanifest.id.md)
-
-## PluginManifest.id property
-
-Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: PluginName;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [id](./kibana-plugin-server.pluginmanifest.id.md)
+
+## PluginManifest.id property
+
+Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: PluginName;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
index 4f2e13ad448dc..f568dce9a8a9e 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md)
-
-## PluginManifest.kibanaVersion property
-
-The version of Kibana the plugin is compatible with, defaults to "version".
-
-<b>Signature:</b>
-
-```typescript
-readonly kibanaVersion: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md)
+
+## PluginManifest.kibanaVersion property
+
+The version of Kibana the plugin is compatible with, defaults to "version".
+
+<b>Signature:</b>
+
+```typescript
+readonly kibanaVersion: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
index 10ce3a921875f..c39a702389fb3 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
@@ -1,31 +1,31 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md)
-
-## PluginManifest interface
-
-Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginManifest 
-```
-
-## Remarks
-
-Should never be used in code outside of Core but is exported for documentation purposes.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [configPath](./kibana-plugin-server.pluginmanifest.configpath.md) | <code>ConfigPath</code> | Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format. |
-|  [id](./kibana-plugin-server.pluginmanifest.id.md) | <code>PluginName</code> | Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc. |
-|  [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md) | <code>string</code> | The version of Kibana the plugin is compatible with, defaults to "version". |
-|  [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
-|  [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
-|  [server](./kibana-plugin-server.pluginmanifest.server.md) | <code>boolean</code> | Specifies whether plugin includes some server-side specific functionality. |
-|  [ui](./kibana-plugin-server.pluginmanifest.ui.md) | <code>boolean</code> | Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via <code>public/ui_plugin.js</code> file. |
-|  [version](./kibana-plugin-server.pluginmanifest.version.md) | <code>string</code> | Version of the plugin. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md)
+
+## PluginManifest interface
+
+Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginManifest 
+```
+
+## Remarks
+
+Should never be used in code outside of Core but is exported for documentation purposes.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [configPath](./kibana-plugin-server.pluginmanifest.configpath.md) | <code>ConfigPath</code> | Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format. |
+|  [id](./kibana-plugin-server.pluginmanifest.id.md) | <code>PluginName</code> | Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc. |
+|  [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md) | <code>string</code> | The version of Kibana the plugin is compatible with, defaults to "version". |
+|  [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
+|  [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
+|  [server](./kibana-plugin-server.pluginmanifest.server.md) | <code>boolean</code> | Specifies whether plugin includes some server-side specific functionality. |
+|  [ui](./kibana-plugin-server.pluginmanifest.ui.md) | <code>boolean</code> | Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via <code>public/ui_plugin.js</code> file. |
+|  [version](./kibana-plugin-server.pluginmanifest.version.md) | <code>string</code> | Version of the plugin. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
index c8abb389fc92a..692785a705d40 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md)
-
-## PluginManifest.optionalPlugins property
-
-An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly optionalPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md)
+
+## PluginManifest.optionalPlugins property
+
+An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly optionalPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
index 1a9753e889ae9..0ea7c872dfa07 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md)
-
-## PluginManifest.requiredPlugins property
-
-An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly requiredPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md)
+
+## PluginManifest.requiredPlugins property
+
+An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly requiredPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
index 06f8a907876d0..676ad721edf7c 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [server](./kibana-plugin-server.pluginmanifest.server.md)
-
-## PluginManifest.server property
-
-Specifies whether plugin includes some server-side specific functionality.
-
-<b>Signature:</b>
-
-```typescript
-readonly server: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [server](./kibana-plugin-server.pluginmanifest.server.md)
+
+## PluginManifest.server property
+
+Specifies whether plugin includes some server-side specific functionality.
+
+<b>Signature:</b>
+
+```typescript
+readonly server: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
index 3526f63166260..ad5ce2237c580 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [ui](./kibana-plugin-server.pluginmanifest.ui.md)
-
-## PluginManifest.ui property
-
-Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via `public/ui_plugin.js` file.
-
-<b>Signature:</b>
-
-```typescript
-readonly ui: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [ui](./kibana-plugin-server.pluginmanifest.ui.md)
+
+## PluginManifest.ui property
+
+Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via `public/ui_plugin.js` file.
+
+<b>Signature:</b>
+
+```typescript
+readonly ui: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
index 1e58e03a743a5..75255096408f3 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [version](./kibana-plugin-server.pluginmanifest.version.md)
-
-## PluginManifest.version property
-
-Version of the plugin.
-
-<b>Signature:</b>
-
-```typescript
-readonly version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [version](./kibana-plugin-server.pluginmanifest.version.md)
+
+## PluginManifest.version property
+
+Version of the plugin.
+
+<b>Signature:</b>
+
+```typescript
+readonly version: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginname.md b/docs/development/core/server/kibana-plugin-server.pluginname.md
index 365a4720ba514..02121c10d6b1d 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginname.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginname.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginName](./kibana-plugin-server.pluginname.md)
-
-## PluginName type
-
-Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginName = string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginName](./kibana-plugin-server.pluginname.md)
+
+## PluginName type
+
+Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginName = string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md b/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
index 11bec2b2de209..3b2399d95137d 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md)
-
-## PluginOpaqueId type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginOpaqueId = symbol;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md)
+
+## PluginOpaqueId type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginOpaqueId = symbol;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
index 174dabe63005e..90eb5daade31f 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md)
-
-## PluginsServiceSetup.contracts property
-
-<b>Signature:</b>
-
-```typescript
-contracts: Map<PluginName, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md)
+
+## PluginsServiceSetup.contracts property
+
+<b>Signature:</b>
+
+```typescript
+contracts: Map<PluginName, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
index e24c428eecec8..248726e26f393 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md)
-
-## PluginsServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginsServiceSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
-|  [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md) | <code>{</code><br/><code>        internal: Map&lt;PluginName, InternalPluginInfo&gt;;</code><br/><code>        public: Map&lt;PluginName, DiscoveredPlugin&gt;;</code><br/><code>        browserConfigs: Map&lt;PluginName, Observable&lt;unknown&gt;&gt;;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md)
+
+## PluginsServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginsServiceSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
+|  [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md) | <code>{</code><br/><code>        internal: Map&lt;PluginName, InternalPluginInfo&gt;;</code><br/><code>        public: Map&lt;PluginName, DiscoveredPlugin&gt;;</code><br/><code>        browserConfigs: Map&lt;PluginName, Observable&lt;unknown&gt;&gt;;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
index 5f9dcd15a9dee..7c47304cb9bf6 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md)
-
-## PluginsServiceSetup.uiPlugins property
-
-<b>Signature:</b>
-
-```typescript
-uiPlugins: {
-        internal: Map<PluginName, InternalPluginInfo>;
-        public: Map<PluginName, DiscoveredPlugin>;
-        browserConfigs: Map<PluginName, Observable<unknown>>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md)
+
+## PluginsServiceSetup.uiPlugins property
+
+<b>Signature:</b>
+
+```typescript
+uiPlugins: {
+        internal: Map<PluginName, InternalPluginInfo>;
+        public: Map<PluginName, DiscoveredPlugin>;
+        browserConfigs: Map<PluginName, Observable<unknown>>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
index 23e4691ae7266..694ca647883bd 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) &gt; [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md)
-
-## PluginsServiceStart.contracts property
-
-<b>Signature:</b>
-
-```typescript
-contracts: Map<PluginName, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) &gt; [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md)
+
+## PluginsServiceStart.contracts property
+
+<b>Signature:</b>
+
+```typescript
+contracts: Map<PluginName, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
index 9d8e7ee3ef744..4ac66afbd7a3e 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md)
-
-## PluginsServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginsServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md)
+
+## PluginsServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginsServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.recursivereadonly.md b/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
index 9a0edaff6bcad..562fb9131c7bb 100644
--- a/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
+++ b/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md)
-
-## RecursiveReadonly type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
-    [K in keyof T]: RecursiveReadonly<T[K]>;
-}> : T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md)
+
+## RecursiveReadonly type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
+    [K in keyof T]: RecursiveReadonly<T[K]>;
+}> : T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md b/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
index 3d63865ce0f3e..6fb0a5add2fb6 100644
--- a/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md)
-
-## RedirectResponseOptions type
-
-HTTP response parameters for redirection response
-
-<b>Signature:</b>
-
-```typescript
-export declare type RedirectResponseOptions = HttpResponseOptions & {
-    headers: {
-        location: string;
-    };
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md)
+
+## RedirectResponseOptions type
+
+HTTP response parameters for redirection response
+
+<b>Signature:</b>
+
+```typescript
+export declare type RedirectResponseOptions = HttpResponseOptions & {
+    headers: {
+        location: string;
+    };
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandler.md b/docs/development/core/server/kibana-plugin-server.requesthandler.md
index d9b6fc4a008e5..9fc183ffc334b 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandler.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandler.md
@@ -1,42 +1,42 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandler](./kibana-plugin-server.requesthandler.md)
-
-## RequestHandler type
-
-A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandler<P = unknown, Q = unknown, B = unknown, Method extends RouteMethod = any> = (context: RequestHandlerContext, request: KibanaRequest<P, Q, B, Method>, response: KibanaResponseFactory) => IKibanaResponse<any> | Promise<IKibanaResponse<any>>;
-```
-
-## Example
-
-
-```ts
-const router = httpSetup.createRouter();
-// creates a route handler for GET request on 'my-app/path/{id}' path
-router.get(
-  {
-    path: 'path/{id}',
-    // defines a validation schema for a named segment of the route path
-    validate: {
-      params: schema.object({
-        id: schema.string(),
-      }),
-    },
-  },
-  // function to execute to create a responses
-  async (context, request, response) => {
-    const data = await context.findObject(request.params.id);
-    // creates a command to respond with 'not found' error
-    if (!data) return response.notFound();
-    // creates a command to send found data to the client
-    return response.ok(data);
-  }
-);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandler](./kibana-plugin-server.requesthandler.md)
+
+## RequestHandler type
+
+A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandler<P = unknown, Q = unknown, B = unknown, Method extends RouteMethod = any> = (context: RequestHandlerContext, request: KibanaRequest<P, Q, B, Method>, response: KibanaResponseFactory) => IKibanaResponse<any> | Promise<IKibanaResponse<any>>;
+```
+
+## Example
+
+
+```ts
+const router = httpSetup.createRouter();
+// creates a route handler for GET request on 'my-app/path/{id}' path
+router.get(
+  {
+    path: 'path/{id}',
+    // defines a validation schema for a named segment of the route path
+    validate: {
+      params: schema.object({
+        id: schema.string(),
+      }),
+    },
+  },
+  // function to execute to create a responses
+  async (context, request, response) => {
+    const data = await context.findObject(request.params.id);
+    // creates a command to respond with 'not found' error
+    if (!data) return response.notFound();
+    // creates a command to send found data to the client
+    return response.ok(data);
+  }
+);
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
index 77bfd85e6e54b..d1760dafd5bb6 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) &gt; [core](./kibana-plugin-server.requesthandlercontext.core.md)
-
-## RequestHandlerContext.core property
-
-<b>Signature:</b>
-
-```typescript
-core: {
-        rendering: IScopedRenderingClient;
-        savedObjects: {
-            client: SavedObjectsClientContract;
-        };
-        elasticsearch: {
-            dataClient: IScopedClusterClient;
-            adminClient: IScopedClusterClient;
-        };
-        uiSettings: {
-            client: IUiSettingsClient;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) &gt; [core](./kibana-plugin-server.requesthandlercontext.core.md)
+
+## RequestHandlerContext.core property
+
+<b>Signature:</b>
+
+```typescript
+core: {
+        rendering: IScopedRenderingClient;
+        savedObjects: {
+            client: SavedObjectsClientContract;
+        };
+        elasticsearch: {
+            dataClient: IScopedClusterClient;
+            adminClient: IScopedClusterClient;
+        };
+        uiSettings: {
+            client: IUiSettingsClient;
+        };
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
index 4d14d890f51a2..7c8625a5824ee 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)
-
-## RequestHandlerContext interface
-
-Plugin specific context passed to a route handler.
-
-Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request
-
-<b>Signature:</b>
-
-```typescript
-export interface RequestHandlerContext 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.requesthandlercontext.core.md) | <code>{</code><br/><code>        rendering: IScopedRenderingClient;</code><br/><code>        savedObjects: {</code><br/><code>            client: SavedObjectsClientContract;</code><br/><code>        };</code><br/><code>        elasticsearch: {</code><br/><code>            dataClient: IScopedClusterClient;</code><br/><code>            adminClient: IScopedClusterClient;</code><br/><code>        };</code><br/><code>        uiSettings: {</code><br/><code>            client: IUiSettingsClient;</code><br/><code>        };</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)
+
+## RequestHandlerContext interface
+
+Plugin specific context passed to a route handler.
+
+Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request
+
+<b>Signature:</b>
+
+```typescript
+export interface RequestHandlerContext 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.requesthandlercontext.core.md) | <code>{</code><br/><code>        rendering: IScopedRenderingClient;</code><br/><code>        savedObjects: {</code><br/><code>            client: SavedObjectsClientContract;</code><br/><code>        };</code><br/><code>        elasticsearch: {</code><br/><code>            dataClient: IScopedClusterClient;</code><br/><code>            adminClient: IScopedClusterClient;</code><br/><code>        };</code><br/><code>        uiSettings: {</code><br/><code>            client: IUiSettingsClient;</code><br/><code>        };</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
index 90bb49b292a70..b76a9ce7d235c 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md)
-
-## RequestHandlerContextContainer type
-
-An object that handles registration of http request context providers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandlerContextContainer = IContextContainer<RequestHandler<any, any, any>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md)
+
+## RequestHandlerContextContainer type
+
+An object that handles registration of http request context providers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandlerContextContainer = IContextContainer<RequestHandler<any, any, any>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
index f75462f8d1218..ea7294b721aab 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md)
-
-## RequestHandlerContextProvider type
-
-Context provider for request handler. Extends request context object with provided functionality or data.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandlerContextProvider<TContextName extends keyof RequestHandlerContext> = IContextProvider<RequestHandler<any, any, any>, TContextName>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md)
+
+## RequestHandlerContextProvider type
+
+Context provider for request handler. Extends request context object with provided functionality or data.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandlerContextProvider<TContextName extends keyof RequestHandlerContext> = IContextProvider<RequestHandler<any, any, any>, TContextName>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseerror.md b/docs/development/core/server/kibana-plugin-server.responseerror.md
index a623ddf8f3395..11d5e786d66e8 100644
--- a/docs/development/core/server/kibana-plugin-server.responseerror.md
+++ b/docs/development/core/server/kibana-plugin-server.responseerror.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseError](./kibana-plugin-server.responseerror.md)
-
-## ResponseError type
-
-Error message and optional data send to the client in case of error.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseError = string | Error | {
-    message: string | Error;
-    attributes?: ResponseErrorAttributes;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseError](./kibana-plugin-server.responseerror.md)
+
+## ResponseError type
+
+Error message and optional data send to the client in case of error.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseError = string | Error | {
+    message: string | Error;
+    attributes?: ResponseErrorAttributes;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md b/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
index 75db8594e636c..32cc72e9a0d52 100644
--- a/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
+++ b/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md)
-
-## ResponseErrorAttributes type
-
-Additional data to provide error details.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseErrorAttributes = Record<string, any>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md)
+
+## ResponseErrorAttributes type
+
+Additional data to provide error details.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseErrorAttributes = Record<string, any>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseheaders.md b/docs/development/core/server/kibana-plugin-server.responseheaders.md
index 606c880360edc..c6ba852b9a624 100644
--- a/docs/development/core/server/kibana-plugin-server.responseheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.responseheaders.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseHeaders](./kibana-plugin-server.responseheaders.md)
-
-## ResponseHeaders type
-
-Http response headers to set.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseHeaders = {
-    [header in KnownHeaders]?: string | string[];
-} & {
-    [header: string]: string | string[];
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseHeaders](./kibana-plugin-server.responseheaders.md)
+
+## ResponseHeaders type
+
+Http response headers to set.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseHeaders = {
+    [header in KnownHeaders]?: string | string[];
+} & {
+    [header: string]: string | string[];
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.md b/docs/development/core/server/kibana-plugin-server.routeconfig.md
index 78c18afc3ca8c..4beb12f0d056e 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md)
-
-## RouteConfig interface
-
-Route specific configuration.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfig<P, Q, B, Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [options](./kibana-plugin-server.routeconfig.options.md) | <code>RouteConfigOptions&lt;Method&gt;</code> | Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->. |
-|  [path](./kibana-plugin-server.routeconfig.path.md) | <code>string</code> | The endpoint \_within\_ the router path to register the route. |
-|  [validate](./kibana-plugin-server.routeconfig.validate.md) | <code>RouteValidatorFullConfig&lt;P, Q, B&gt; &#124; false</code> | A schema created with <code>@kbn/config-schema</code> that every request will be validated against. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md)
+
+## RouteConfig interface
+
+Route specific configuration.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfig<P, Q, B, Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [options](./kibana-plugin-server.routeconfig.options.md) | <code>RouteConfigOptions&lt;Method&gt;</code> | Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->. |
+|  [path](./kibana-plugin-server.routeconfig.path.md) | <code>string</code> | The endpoint \_within\_ the router path to register the route. |
+|  [validate](./kibana-plugin-server.routeconfig.validate.md) | <code>RouteValidatorFullConfig&lt;P, Q, B&gt; &#124; false</code> | A schema created with <code>@kbn/config-schema</code> that every request will be validated against. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.options.md b/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
index 5423b3c197973..90ad294457101 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [options](./kibana-plugin-server.routeconfig.options.md)
-
-## RouteConfig.options property
-
-Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-options?: RouteConfigOptions<Method>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [options](./kibana-plugin-server.routeconfig.options.md)
+
+## RouteConfig.options property
+
+Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+options?: RouteConfigOptions<Method>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.path.md b/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
index 1e1e01a74de31..0e6fa19f98ace 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [path](./kibana-plugin-server.routeconfig.path.md)
-
-## RouteConfig.path property
-
-The endpoint \_within\_ the router path to register the route.
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
-
-## Remarks
-
-E.g. if the router is registered at `/elasticsearch` and the route path is `/search`<!-- -->, the full path for the route is `/elasticsearch/search`<!-- -->. Supports: - named path segments `path/{name}`<!-- -->. - optional path segments `path/{position?}`<!-- -->. - multi-segments `path/{coordinates*2}`<!-- -->. Segments are accessible within a handler function as `params` property of [KibanaRequest](./kibana-plugin-server.kibanarequest.md) object. To have read access to `params` you \*must\* specify validation schema with [RouteConfig.validate](./kibana-plugin-server.routeconfig.validate.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [path](./kibana-plugin-server.routeconfig.path.md)
+
+## RouteConfig.path property
+
+The endpoint \_within\_ the router path to register the route.
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
+
+## Remarks
+
+E.g. if the router is registered at `/elasticsearch` and the route path is `/search`<!-- -->, the full path for the route is `/elasticsearch/search`<!-- -->. Supports: - named path segments `path/{name}`<!-- -->. - optional path segments `path/{position?}`<!-- -->. - multi-segments `path/{coordinates*2}`<!-- -->. Segments are accessible within a handler function as `params` property of [KibanaRequest](./kibana-plugin-server.kibanarequest.md) object. To have read access to `params` you \*must\* specify validation schema with [RouteConfig.validate](./kibana-plugin-server.routeconfig.validate.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md b/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
index c69ff4cbb5af2..23a72fc3c68b3 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
@@ -1,62 +1,62 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [validate](./kibana-plugin-server.routeconfig.validate.md)
-
-## RouteConfig.validate property
-
-A schema created with `@kbn/config-schema` that every request will be validated against.
-
-<b>Signature:</b>
-
-```typescript
-validate: RouteValidatorFullConfig<P, Q, B> | false;
-```
-
-## Remarks
-
-You \*must\* specify a validation schema to be able to read: - url path segments - request query - request body To opt out of validating the request, specify `validate: false`<!-- -->. In this case request params, query, and body will be \*\*empty\*\* objects and have no access to raw values. In some cases you may want to use another validation library. To do this, you need to instruct the `@kbn/config-schema` library to output \*\*non-validated values\*\* with setting schema as `schema.object({}, { allowUnknowns: true })`<!-- -->;
-
-## Example
-
-
-```ts
- import { schema } from '@kbn/config-schema';
- router.get({
-  path: 'path/{id}',
-  validate: {
-    params: schema.object({
-      id: schema.string(),
-    }),
-    query: schema.object({...}),
-    body: schema.object({...}),
-  },
-},
-(context, req, res,) {
-  req.params; // type Readonly<{id: string}>
-  console.log(req.params.id); // value
-});
-
-router.get({
-  path: 'path/{id}',
-  validate: false, // handler has no access to params, query, body values.
-},
-(context, req, res,) {
-  req.params; // type Readonly<{}>;
-  console.log(req.params.id); // undefined
-});
-
-router.get({
-  path: 'path/{id}',
-  validate: {
-    // handler has access to raw non-validated params in runtime
-    params: schema.object({}, { allowUnknowns: true })
-  },
-},
-(context, req, res,) {
-  req.params; // type Readonly<{}>;
-  console.log(req.params.id); // value
-  myValidationLibrary.validate({ params: req.params });
-});
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [validate](./kibana-plugin-server.routeconfig.validate.md)
+
+## RouteConfig.validate property
+
+A schema created with `@kbn/config-schema` that every request will be validated against.
+
+<b>Signature:</b>
+
+```typescript
+validate: RouteValidatorFullConfig<P, Q, B> | false;
+```
+
+## Remarks
+
+You \*must\* specify a validation schema to be able to read: - url path segments - request query - request body To opt out of validating the request, specify `validate: false`<!-- -->. In this case request params, query, and body will be \*\*empty\*\* objects and have no access to raw values. In some cases you may want to use another validation library. To do this, you need to instruct the `@kbn/config-schema` library to output \*\*non-validated values\*\* with setting schema as `schema.object({}, { allowUnknowns: true })`<!-- -->;
+
+## Example
+
+
+```ts
+ import { schema } from '@kbn/config-schema';
+ router.get({
+  path: 'path/{id}',
+  validate: {
+    params: schema.object({
+      id: schema.string(),
+    }),
+    query: schema.object({...}),
+    body: schema.object({...}),
+  },
+},
+(context, req, res,) {
+  req.params; // type Readonly<{id: string}>
+  console.log(req.params.id); // value
+});
+
+router.get({
+  path: 'path/{id}',
+  validate: false, // handler has no access to params, query, body values.
+},
+(context, req, res,) {
+  req.params; // type Readonly<{}>;
+  console.log(req.params.id); // undefined
+});
+
+router.get({
+  path: 'path/{id}',
+  validate: {
+    // handler has access to raw non-validated params in runtime
+    params: schema.object({}, { allowUnknowns: true })
+  },
+},
+(context, req, res,) {
+  req.params; // type Readonly<{}>;
+  console.log(req.params.id); // value
+  myValidationLibrary.validate({ params: req.params });
+});
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
index e4cbca9c97810..2bb2491cae5df 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md)
-
-## RouteConfigOptions.authRequired property
-
-A flag shows that authentication for a route: `enabled` when true `disabled` when false
-
-Enabled by default.
-
-<b>Signature:</b>
-
-```typescript
-authRequired?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md)
+
+## RouteConfigOptions.authRequired property
+
+A flag shows that authentication for a route: `enabled` when true `disabled` when false
+
+Enabled by default.
+
+<b>Signature:</b>
+
+```typescript
+authRequired?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
index 8b7cc6ab06f7f..fee5528ce3378 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [body](./kibana-plugin-server.routeconfigoptions.body.md)
-
-## RouteConfigOptions.body property
-
-Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-body?: Method extends 'get' | 'options' ? undefined : RouteConfigOptionsBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [body](./kibana-plugin-server.routeconfigoptions.body.md)
+
+## RouteConfigOptions.body property
+
+Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+body?: Method extends 'get' | 'options' ? undefined : RouteConfigOptionsBody;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
index 0929e15b6228b..99339db81065c 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)
-
-## RouteConfigOptions interface
-
-Additional route options.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfigOptions<Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md) | <code>boolean</code> | A flag shows that authentication for a route: <code>enabled</code> when true <code>disabled</code> when false<!-- -->Enabled by default. |
-|  [body](./kibana-plugin-server.routeconfigoptions.body.md) | <code>Method extends 'get' &#124; 'options' ? undefined : RouteConfigOptionsBody</code> | Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->. |
-|  [tags](./kibana-plugin-server.routeconfigoptions.tags.md) | <code>readonly string[]</code> | Additional metadata tag strings to attach to the route. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)
+
+## RouteConfigOptions interface
+
+Additional route options.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfigOptions<Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md) | <code>boolean</code> | A flag shows that authentication for a route: <code>enabled</code> when true <code>disabled</code> when false<!-- -->Enabled by default. |
+|  [body](./kibana-plugin-server.routeconfigoptions.body.md) | <code>Method extends 'get' &#124; 'options' ? undefined : RouteConfigOptionsBody</code> | Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->. |
+|  [tags](./kibana-plugin-server.routeconfigoptions.tags.md) | <code>readonly string[]</code> | Additional metadata tag strings to attach to the route. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
index adcce0caa750f..e13ef883cc053 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [tags](./kibana-plugin-server.routeconfigoptions.tags.md)
-
-## RouteConfigOptions.tags property
-
-Additional metadata tag strings to attach to the route.
-
-<b>Signature:</b>
-
-```typescript
-tags?: readonly string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [tags](./kibana-plugin-server.routeconfigoptions.tags.md)
+
+## RouteConfigOptions.tags property
+
+Additional metadata tag strings to attach to the route.
+
+<b>Signature:</b>
+
+```typescript
+tags?: readonly string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
index f71388c2bbf4b..f48c9a1d73b11 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md)
-
-## RouteConfigOptionsBody.accepts property
-
-A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.
-
-Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\*
-
-<b>Signature:</b>
-
-```typescript
-accepts?: RouteContentType | RouteContentType[] | string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md)
+
+## RouteConfigOptionsBody.accepts property
+
+A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.
+
+Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\*
+
+<b>Signature:</b>
+
+```typescript
+accepts?: RouteContentType | RouteContentType[] | string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
index 1bf02285b4304..3d22dc07d5bae 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md)
-
-## RouteConfigOptionsBody.maxBytes property
-
-Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.
-
-Default value: The one set in the kibana.yml config file under the parameter `server.maxPayloadBytes`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-maxBytes?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md)
+
+## RouteConfigOptionsBody.maxBytes property
+
+Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.
+
+Default value: The one set in the kibana.yml config file under the parameter `server.maxPayloadBytes`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+maxBytes?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
index 77bccd33cb52e..6ef04de459fcf 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)
-
-## RouteConfigOptionsBody interface
-
-Additional body options for a route
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfigOptionsBody 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md) | <code>RouteContentType &#124; RouteContentType[] &#124; string &#124; string[]</code> | A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.<!-- -->Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\* |
-|  [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md) | <code>number</code> | Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.<!-- -->Default value: The one set in the kibana.yml config file under the parameter <code>server.maxPayloadBytes</code>. |
-|  [output](./kibana-plugin-server.routeconfigoptionsbody.output.md) | <code>typeof validBodyOutput[number]</code> | The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).<!-- -->Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure. |
-|  [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md) | <code>boolean &#124; 'gunzip'</code> | Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.<!-- -->Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)
+
+## RouteConfigOptionsBody interface
+
+Additional body options for a route
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfigOptionsBody 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md) | <code>RouteContentType &#124; RouteContentType[] &#124; string &#124; string[]</code> | A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.<!-- -->Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\* |
+|  [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md) | <code>number</code> | Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.<!-- -->Default value: The one set in the kibana.yml config file under the parameter <code>server.maxPayloadBytes</code>. |
+|  [output](./kibana-plugin-server.routeconfigoptionsbody.output.md) | <code>typeof validBodyOutput[number]</code> | The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).<!-- -->Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure. |
+|  [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md) | <code>boolean &#124; 'gunzip'</code> | Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.<!-- -->Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
index 1c66589df9e80..b84bc709df3ec 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [output](./kibana-plugin-server.routeconfigoptionsbody.output.md)
-
-## RouteConfigOptionsBody.output property
-
-The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).
-
-Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure.
-
-<b>Signature:</b>
-
-```typescript
-output?: typeof validBodyOutput[number];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [output](./kibana-plugin-server.routeconfigoptionsbody.output.md)
+
+## RouteConfigOptionsBody.output property
+
+The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).
+
+Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure.
+
+<b>Signature:</b>
+
+```typescript
+output?: typeof validBodyOutput[number];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
index b030c9de302af..d395f67c69669 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md)
-
-## RouteConfigOptionsBody.parse property
-
-Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.
-
-Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure.
-
-<b>Signature:</b>
-
-```typescript
-parse?: boolean | 'gunzip';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md)
+
+## RouteConfigOptionsBody.parse property
+
+Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.
+
+Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure.
+
+<b>Signature:</b>
+
+```typescript
+parse?: boolean | 'gunzip';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routecontenttype.md b/docs/development/core/server/kibana-plugin-server.routecontenttype.md
index 3c9b88938d131..010388c7b8f17 100644
--- a/docs/development/core/server/kibana-plugin-server.routecontenttype.md
+++ b/docs/development/core/server/kibana-plugin-server.routecontenttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteContentType](./kibana-plugin-server.routecontenttype.md)
-
-## RouteContentType type
-
-The set of supported parseable Content-Types
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteContentType = 'application/json' | 'application/*+json' | 'application/octet-stream' | 'application/x-www-form-urlencoded' | 'multipart/form-data' | 'text/*';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteContentType](./kibana-plugin-server.routecontenttype.md)
+
+## RouteContentType type
+
+The set of supported parseable Content-Types
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteContentType = 'application/json' | 'application/*+json' | 'application/octet-stream' | 'application/x-www-form-urlencoded' | 'multipart/form-data' | 'text/*';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routemethod.md b/docs/development/core/server/kibana-plugin-server.routemethod.md
index 939ae94b85691..4f83344f842b3 100644
--- a/docs/development/core/server/kibana-plugin-server.routemethod.md
+++ b/docs/development/core/server/kibana-plugin-server.routemethod.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteMethod](./kibana-plugin-server.routemethod.md)
-
-## RouteMethod type
-
-The set of common HTTP methods supported by Kibana routing.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteMethod = 'get' | 'post' | 'put' | 'delete' | 'patch' | 'options';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteMethod](./kibana-plugin-server.routemethod.md)
+
+## RouteMethod type
+
+The set of common HTTP methods supported by Kibana routing.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteMethod = 'get' | 'post' | 'put' | 'delete' | 'patch' | 'options';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeregistrar.md b/docs/development/core/server/kibana-plugin-server.routeregistrar.md
index b886305731c3c..901d260fee21d 100644
--- a/docs/development/core/server/kibana-plugin-server.routeregistrar.md
+++ b/docs/development/core/server/kibana-plugin-server.routeregistrar.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteRegistrar](./kibana-plugin-server.routeregistrar.md)
-
-## RouteRegistrar type
-
-Route handler common definition
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteRegistrar<Method extends RouteMethod> = <P, Q, B>(route: RouteConfig<P, Q, B, Method>, handler: RequestHandler<P, Q, B, Method>) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteRegistrar](./kibana-plugin-server.routeregistrar.md)
+
+## RouteRegistrar type
+
+Route handler common definition
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteRegistrar<Method extends RouteMethod> = <P, Q, B>(route: RouteConfig<P, Q, B, Method>, handler: RequestHandler<P, Q, B, Method>) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md b/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
index d643cc31f50cf..551e13faaf154 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) &gt; [(constructor)](./kibana-plugin-server.routevalidationerror._constructor_.md)
-
-## RouteValidationError.(constructor)
-
-Constructs a new instance of the `RouteValidationError` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(error: Error | string, path?: string[]);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; string</code> |  |
-|  path | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) &gt; [(constructor)](./kibana-plugin-server.routevalidationerror._constructor_.md)
+
+## RouteValidationError.(constructor)
+
+Constructs a new instance of the `RouteValidationError` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(error: Error | string, path?: string[]);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; string</code> |  |
+|  path | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationerror.md b/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
index 7c84b26e9291e..71bd72dca2eab 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md)
-
-## RouteValidationError class
-
-Error to return when the validation is not successful.
-
-<b>Signature:</b>
-
-```typescript
-export declare class RouteValidationError extends SchemaTypeError 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(error, path)](./kibana-plugin-server.routevalidationerror._constructor_.md) |  | Constructs a new instance of the <code>RouteValidationError</code> class |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md)
+
+## RouteValidationError class
+
+Error to return when the validation is not successful.
+
+<b>Signature:</b>
+
+```typescript
+export declare class RouteValidationError extends SchemaTypeError 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(error, path)](./kibana-plugin-server.routevalidationerror._constructor_.md) |  | Constructs a new instance of the <code>RouteValidationError</code> class |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md b/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
index e64f6ae0178bc..34fa096aaae78 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
@@ -1,42 +1,42 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)
-
-## RouteValidationFunction type
-
-The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidationFunction<T> = (data: any, validationResult: RouteValidationResultFactory) => {
-    value: T;
-    error?: never;
-} | {
-    value?: never;
-    error: RouteValidationError;
-};
-```
-
-## Example
-
-The validation should look something like:
-
-```typescript
-interface MyExpectedBody {
-  bar: string;
-  baz: number;
-}
-
-const myBodyValidation: RouteValidationFunction<MyExpectedBody> = (data, validationResult) => {
-  const { ok, badRequest } = validationResult;
-  const { bar, baz } = data || {};
-  if (typeof bar === 'string' && typeof baz === 'number') {
-    return ok({ bar, baz });
-  } else {
-    return badRequest('Wrong payload', ['body']);
-  }
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)
+
+## RouteValidationFunction type
+
+The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidationFunction<T> = (data: any, validationResult: RouteValidationResultFactory) => {
+    value: T;
+    error?: never;
+} | {
+    value?: never;
+    error: RouteValidationError;
+};
+```
+
+## Example
+
+The validation should look something like:
+
+```typescript
+interface MyExpectedBody {
+  bar: string;
+  baz: number;
+}
+
+const myBodyValidation: RouteValidationFunction<MyExpectedBody> = (data, validationResult) => {
+  const { ok, badRequest } = validationResult;
+  const { bar, baz } = data || {};
+  if (typeof bar === 'string' && typeof baz === 'number') {
+    return ok({ bar, baz });
+  } else {
+    return badRequest('Wrong payload', ['body']);
+  }
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
index 29406a2d9866a..36ea6103fb352 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md)
-
-## RouteValidationResultFactory.badRequest property
-
-<b>Signature:</b>
-
-```typescript
-badRequest: (error: Error | string, path?: string[]) => {
-        error: RouteValidationError;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md)
+
+## RouteValidationResultFactory.badRequest property
+
+<b>Signature:</b>
+
+```typescript
+badRequest: (error: Error | string, path?: string[]) => {
+        error: RouteValidationError;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
index eac2e0e6c4c1a..5f44b490e9a17 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md)
-
-## RouteValidationResultFactory interface
-
-Validation result factory to be used in the custom validation function to return the valid data or validation errors
-
-See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidationResultFactory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md) | <code>(error: Error &#124; string, path?: string[]) =&gt; {</code><br/><code>        error: RouteValidationError;</code><br/><code>    }</code> |  |
-|  [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md) | <code>&lt;T&gt;(value: T) =&gt; {</code><br/><code>        value: T;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md)
+
+## RouteValidationResultFactory interface
+
+Validation result factory to be used in the custom validation function to return the valid data or validation errors
+
+See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidationResultFactory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md) | <code>(error: Error &#124; string, path?: string[]) =&gt; {</code><br/><code>        error: RouteValidationError;</code><br/><code>    }</code> |  |
+|  [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md) | <code>&lt;T&gt;(value: T) =&gt; {</code><br/><code>        value: T;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
index 5ba36a4b5bc3b..eca6a31bd547f 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md)
-
-## RouteValidationResultFactory.ok property
-
-<b>Signature:</b>
-
-```typescript
-ok: <T>(value: T) => {
-        value: T;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md)
+
+## RouteValidationResultFactory.ok property
+
+<b>Signature:</b>
+
+```typescript
+ok: <T>(value: T) => {
+        value: T;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationspec.md b/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
index 67b9bd9b8daa8..f5fc06544043f 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md)
-
-## RouteValidationSpec type
-
-Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions
-
-See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidationSpec<T> = ObjectType | Type<T> | RouteValidationFunction<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md)
+
+## RouteValidationSpec type
+
+Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions
+
+See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidationSpec<T> = ObjectType | Type<T> | RouteValidationFunction<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
index 56b7552f615f0..8b5d2c0413087 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [body](./kibana-plugin-server.routevalidatorconfig.body.md)
-
-## RouteValidatorConfig.body property
-
-Validation logic for the body payload
-
-<b>Signature:</b>
-
-```typescript
-body?: RouteValidationSpec<B>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [body](./kibana-plugin-server.routevalidatorconfig.body.md)
+
+## RouteValidatorConfig.body property
+
+Validation logic for the body payload
+
+<b>Signature:</b>
+
+```typescript
+body?: RouteValidationSpec<B>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
index 6bdba920702d7..4637da7741d80 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md)
-
-## RouteValidatorConfig interface
-
-The configuration object to the RouteValidator class. Set `params`<!-- -->, `query` and/or `body` to specify the validation logic to follow for that property.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidatorConfig<P, Q, B> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.routevalidatorconfig.body.md) | <code>RouteValidationSpec&lt;B&gt;</code> | Validation logic for the body payload |
-|  [params](./kibana-plugin-server.routevalidatorconfig.params.md) | <code>RouteValidationSpec&lt;P&gt;</code> | Validation logic for the URL params |
-|  [query](./kibana-plugin-server.routevalidatorconfig.query.md) | <code>RouteValidationSpec&lt;Q&gt;</code> | Validation logic for the Query params |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md)
+
+## RouteValidatorConfig interface
+
+The configuration object to the RouteValidator class. Set `params`<!-- -->, `query` and/or `body` to specify the validation logic to follow for that property.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidatorConfig<P, Q, B> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.routevalidatorconfig.body.md) | <code>RouteValidationSpec&lt;B&gt;</code> | Validation logic for the body payload |
+|  [params](./kibana-plugin-server.routevalidatorconfig.params.md) | <code>RouteValidationSpec&lt;P&gt;</code> | Validation logic for the URL params |
+|  [query](./kibana-plugin-server.routevalidatorconfig.query.md) | <code>RouteValidationSpec&lt;Q&gt;</code> | Validation logic for the Query params |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
index 33ad91bf6badf..11de25ff3b19f 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [params](./kibana-plugin-server.routevalidatorconfig.params.md)
-
-## RouteValidatorConfig.params property
-
-Validation logic for the URL params
-
-<b>Signature:</b>
-
-```typescript
-params?: RouteValidationSpec<P>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [params](./kibana-plugin-server.routevalidatorconfig.params.md)
+
+## RouteValidatorConfig.params property
+
+Validation logic for the URL params
+
+<b>Signature:</b>
+
+```typescript
+params?: RouteValidationSpec<P>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
index 272c696c59593..510325c2dfff7 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [query](./kibana-plugin-server.routevalidatorconfig.query.md)
-
-## RouteValidatorConfig.query property
-
-Validation logic for the Query params
-
-<b>Signature:</b>
-
-```typescript
-query?: RouteValidationSpec<Q>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [query](./kibana-plugin-server.routevalidatorconfig.query.md)
+
+## RouteValidatorConfig.query property
+
+Validation logic for the Query params
+
+<b>Signature:</b>
+
+```typescript
+query?: RouteValidationSpec<Q>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md b/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
index 90d7501c4af17..0f3785b954a3a 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md)
-
-## RouteValidatorFullConfig type
-
-Route validations config and options merged into one object
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidatorFullConfig<P, Q, B> = RouteValidatorConfig<P, Q, B> & RouteValidatorOptions;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md)
+
+## RouteValidatorFullConfig type
+
+Route validations config and options merged into one object
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidatorFullConfig<P, Q, B> = RouteValidatorConfig<P, Q, B> & RouteValidatorOptions;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
index ddbc9d28c3b06..00b029d9928e3 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md)
-
-## RouteValidatorOptions interface
-
-Additional options for the RouteValidator class to modify its default behaviour.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidatorOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md) | <code>{</code><br/><code>        params?: boolean;</code><br/><code>        query?: boolean;</code><br/><code>        body?: boolean;</code><br/><code>    }</code> | Set the <code>unsafe</code> config to avoid running some additional internal \*safe\* validations on top of your custom validation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md)
+
+## RouteValidatorOptions interface
+
+Additional options for the RouteValidator class to modify its default behaviour.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidatorOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md) | <code>{</code><br/><code>        params?: boolean;</code><br/><code>        query?: boolean;</code><br/><code>        body?: boolean;</code><br/><code>    }</code> | Set the <code>unsafe</code> config to avoid running some additional internal \*safe\* validations on top of your custom validation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
index 60f868aedfc05..0406a372c4e9d 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) &gt; [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md)
-
-## RouteValidatorOptions.unsafe property
-
-Set the `unsafe` config to avoid running some additional internal \*safe\* validations on top of your custom validation
-
-<b>Signature:</b>
-
-```typescript
-unsafe?: {
-        params?: boolean;
-        query?: boolean;
-        body?: boolean;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) &gt; [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md)
+
+## RouteValidatorOptions.unsafe property
+
+Set the `unsafe` config to avoid running some additional internal \*safe\* validations on top of your custom validation
+
+<b>Signature:</b>
+
+```typescript
+unsafe?: {
+        params?: boolean;
+        query?: boolean;
+        body?: boolean;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
index 8284548d9d94c..7049ca65e96d3 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [attributes](./kibana-plugin-server.savedobject.attributes.md)
-
-## SavedObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [attributes](./kibana-plugin-server.savedobject.attributes.md)
+
+## SavedObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.error.md b/docs/development/core/server/kibana-plugin-server.savedobject.error.md
index 4baea1599eae8..910f1fa32d5df 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.error.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.error.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [error](./kibana-plugin-server.savedobject.error.md)
-
-## SavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error?: {
-        message: string;
-        statusCode: number;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [error](./kibana-plugin-server.savedobject.error.md)
+
+## SavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error?: {
+        message: string;
+        statusCode: number;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobject.id.md
index 7048d10365299..cc0127eb6ab04 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [id](./kibana-plugin-server.savedobject.id.md)
-
-## SavedObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [id](./kibana-plugin-server.savedobject.id.md)
+
+## SavedObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.md b/docs/development/core/server/kibana-plugin-server.savedobject.md
index b3184fd38ad93..c7099cdce7ecd 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md)
-
-## SavedObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [error](./kibana-plugin-server.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
-|  [id](./kibana-plugin-server.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-server.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [type](./kibana-plugin-server.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
-|  [updated\_at](./kibana-plugin-server.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
-|  [version](./kibana-plugin-server.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md)
+
+## SavedObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [error](./kibana-plugin-server.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
+|  [id](./kibana-plugin-server.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-server.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [type](./kibana-plugin-server.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
+|  [updated\_at](./kibana-plugin-server.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
+|  [version](./kibana-plugin-server.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
index 5e8486ebb8b08..63c353a8b2e75 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md)
-
-## SavedObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md)
+
+## SavedObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.references.md b/docs/development/core/server/kibana-plugin-server.savedobject.references.md
index 7381e0e814748..22d4c84e9bcad 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [references](./kibana-plugin-server.savedobject.references.md)
-
-## SavedObject.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [references](./kibana-plugin-server.savedobject.references.md)
+
+## SavedObject.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobject.type.md
index 0e79e6ccb54cb..0498b2d780484 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [type](./kibana-plugin-server.savedobject.type.md)
-
-## SavedObject.type property
-
-The type of Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [type](./kibana-plugin-server.savedobject.type.md)
+
+## SavedObject.type property
+
+The type of Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md b/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
index 38db2a5e96398..bf57cbc08dbb4 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [updated\_at](./kibana-plugin-server.savedobject.updated_at.md)
-
-## SavedObject.updated\_at property
-
-Timestamp of the last time this document had been updated.
-
-<b>Signature:</b>
-
-```typescript
-updated_at?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [updated\_at](./kibana-plugin-server.savedobject.updated_at.md)
+
+## SavedObject.updated\_at property
+
+Timestamp of the last time this document had been updated.
+
+<b>Signature:</b>
+
+```typescript
+updated_at?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.version.md b/docs/development/core/server/kibana-plugin-server.savedobject.version.md
index e81e37198226c..a1c2f2c6c3b44 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.version.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [version](./kibana-plugin-server.savedobject.version.md)
-
-## SavedObject.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [version](./kibana-plugin-server.savedobject.version.md)
+
+## SavedObject.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md b/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
index b25fc079a7d7b..6696d9c6ce96d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
-
-## SavedObjectAttribute type
-
-Type definition for a Saved Object attribute value
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
+
+## SavedObjectAttribute type
+
+Type definition for a Saved Object attribute value
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
index 7e80e757775bb..6d24eb02b4eaf 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md)
-
-## SavedObjectAttributes interface
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectAttributes 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md)
+
+## SavedObjectAttributes interface
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectAttributes 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md b/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
index 7928b594bf9dc..b2ddb59ddb252 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md)
-
-## SavedObjectAttributeSingle type
-
-Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md)
+
+## SavedObjectAttributeSingle type
+
+Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
index e4d7ff3e8e831..f6e11c0228743 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [id](./kibana-plugin-server.savedobjectreference.id.md)
-
-## SavedObjectReference.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [id](./kibana-plugin-server.savedobjectreference.id.md)
+
+## SavedObjectReference.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
index 3ceb1c3c949fe..75cf59ea3b925 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md)
-
-## SavedObjectReference interface
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectReference 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectreference.id.md) | <code>string</code> |  |
-|  [name](./kibana-plugin-server.savedobjectreference.name.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectreference.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md)
+
+## SavedObjectReference interface
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectReference 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectreference.id.md) | <code>string</code> |  |
+|  [name](./kibana-plugin-server.savedobjectreference.name.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectreference.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
index f22884367db27..8a88128c3fbc1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [name](./kibana-plugin-server.savedobjectreference.name.md)
-
-## SavedObjectReference.name property
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [name](./kibana-plugin-server.savedobjectreference.name.md)
+
+## SavedObjectReference.name property
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
index 2d34cec0bc3a5..5347256dfa2dc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [type](./kibana-plugin-server.savedobjectreference.type.md)
-
-## SavedObjectReference.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [type](./kibana-plugin-server.savedobjectreference.type.md)
+
+## SavedObjectReference.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
index daf5a36ffc690..6eace924490cc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md)
-
-## SavedObjectsBaseOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md)
+
+## SavedObjectsBaseOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
index 97eb45d70cef2..6e921dc8ab60e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md)
-
-## SavedObjectsBaseOptions.namespace property
-
-Specify the namespace for this operation
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md)
+
+## SavedObjectsBaseOptions.namespace property
+
+Specify the namespace for this operation
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
index ca45721381c3b..cfa19c5fb3fd8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md)
-
-## SavedObjectsBulkCreateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md)
+
+## SavedObjectsBulkCreateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
index 3eceb5c782a81..6b8b65339ffa3 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md)
-
-## SavedObjectsBulkCreateObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md)
+
+## SavedObjectsBulkCreateObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
index 87386b986009d..bae275777310a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md)
-
-## SavedObjectsBulkCreateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
-|  [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md) | <code>string</code> |  |
-|  [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md)
+
+## SavedObjectsBulkCreateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
+|  [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md) | <code>string</code> |  |
+|  [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
index df76370da2426..6065988a8d0fc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md)
-
-## SavedObjectsBulkCreateObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md)
+
+## SavedObjectsBulkCreateObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
index 9674dc69ef71e..0a96787de03a9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md)
-
-## SavedObjectsBulkCreateObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md)
+
+## SavedObjectsBulkCreateObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
index a68f614f73eb7..8db44a46d7f3f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md)
-
-## SavedObjectsBulkCreateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md)
+
+## SavedObjectsBulkCreateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
index fdea718e27a60..d67df82b123e7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md)
-
-## SavedObjectsBulkGetObject.fields property
-
-SavedObject fields to include in the response
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md)
+
+## SavedObjectsBulkGetObject.fields property
+
+SavedObject fields to include in the response
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
index 78f37d8a62a00..3476d3276181c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md)
-
-## SavedObjectsBulkGetObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md)
+
+## SavedObjectsBulkGetObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
index ef8b76a418848..ae89f30b9f754 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md)
-
-## SavedObjectsBulkGetObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkGetObject 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md) | <code>string[]</code> | SavedObject fields to include in the response |
-|  [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md)
+
+## SavedObjectsBulkGetObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkGetObject 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md) | <code>string[]</code> | SavedObject fields to include in the response |
+|  [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
index 2317170fa04a2..c3fef3704faa7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md)
-
-## SavedObjectsBulkGetObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md)
+
+## SavedObjectsBulkGetObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
index 20a1194c87eda..7ff4934a2af66 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md)
-
-## SavedObjectsBulkResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md)
+
+## SavedObjectsBulkResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
index c6cfb230f75eb..78f0fe36eaedc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md)
-
-## SavedObjectsBulkResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md)
+
+## SavedObjectsBulkResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObject<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
index bd80c8d093d0f..3de73d133d7a7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md)
-
-## SavedObjectsBulkUpdateObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: Partial<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md)
+
+## SavedObjectsBulkUpdateObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: Partial<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
index 1cdaf5288c0ca..88bc9f306b26c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md)
-
-## SavedObjectsBulkUpdateObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md)
+
+## SavedObjectsBulkUpdateObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
index 8e4e3d761148e..b84bbe0a17344 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md)
-
-## SavedObjectsBulkUpdateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = any> extends Pick<SavedObjectsUpdateOptions, 'version' | 'references'> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md) | <code>Partial&lt;T&gt;</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md) | <code>string</code> | The type of this Saved Object. Each plugin can define it's own custom Saved Object types. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md)
+
+## SavedObjectsBulkUpdateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = any> extends Pick<SavedObjectsUpdateOptions, 'version' | 'references'> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md) | <code>Partial&lt;T&gt;</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md) | <code>string</code> | The type of this Saved Object. Each plugin can define it's own custom Saved Object types. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
index c95faf80c84cb..d2d46b24ea8be 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md)
-
-## SavedObjectsBulkUpdateObject.type property
-
-The type of this Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md)
+
+## SavedObjectsBulkUpdateObject.type property
+
+The type of this Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
index fb18d80fe3f09..920a6ca224df4 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md)
-
-## SavedObjectsBulkUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md)
+
+## SavedObjectsBulkUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
index 52913cd776ebb..35e9e6483da10 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md)
-
-## SavedObjectsBulkUpdateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md)
+
+## SavedObjectsBulkUpdateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
index 065b9df0823cd..03707bd14a3eb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md)
-
-## SavedObjectsBulkUpdateResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md) | <code>Array&lt;SavedObjectsUpdateResponse&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md)
+
+## SavedObjectsBulkUpdateResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md) | <code>Array&lt;SavedObjectsUpdateResponse&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
index b8fc07b819bed..0ca54ca176292 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md)
-
-## SavedObjectsBulkUpdateResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObjectsUpdateResponse<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md)
+
+## SavedObjectsBulkUpdateResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObjectsUpdateResponse<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
index 40f947188de54..1081a91f92762 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsclient.bulkcreate.md)
-
-## SavedObjectsClient.bulkCreate() method
-
-Persists multiple documents batched together as a single request
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsclient.bulkcreate.md)
+
+## SavedObjectsClient.bulkCreate() method
+
+Persists multiple documents batched together as a single request
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
index c86c30d14db3b..6fbeadd4ce67c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsclient.bulkget.md)
-
-## SavedObjectsClient.bulkGet() method
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkGetObject[]</code> | an array of ids, or an array of objects containing id, type and optionally fields |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsclient.bulkget.md)
+
+## SavedObjectsClient.bulkGet() method
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkGetObject[]</code> | an array of ids, or an array of objects containing id, type and optionally fields |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
index 33958837ebca3..30db524ffa02c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsclient.bulkupdate.md)
-
-## SavedObjectsClient.bulkUpdate() method
-
-Bulk Updates multiple SavedObject at once
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkUpdateResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsclient.bulkupdate.md)
+
+## SavedObjectsClient.bulkUpdate() method
+
+Bulk Updates multiple SavedObject at once
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkUpdateResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
index ddb78a57e71bc..68b97ccdf2aef 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [create](./kibana-plugin-server.savedobjectsclient.create.md)
-
-## SavedObjectsClient.create() method
-
-Persists a SavedObject
-
-<b>Signature:</b>
-
-```typescript
-create<T extends SavedObjectAttributes = any>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [create](./kibana-plugin-server.savedobjectsclient.create.md)
+
+## SavedObjectsClient.create() method
+
+Persists a SavedObject
+
+<b>Signature:</b>
+
+```typescript
+create<T extends SavedObjectAttributes = any>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
index 310ab0d78f7a6..c20c7e886490a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [delete](./kibana-plugin-server.savedobjectsclient.delete.md)
-
-## SavedObjectsClient.delete() method
-
-Deletes a SavedObject
-
-<b>Signature:</b>
-
-```typescript
-delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{}>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [delete](./kibana-plugin-server.savedobjectsclient.delete.md)
+
+## SavedObjectsClient.delete() method
+
+Deletes a SavedObject
+
+<b>Signature:</b>
+
+```typescript
+delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{}>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
index 9e6eb8d414002..f08440485c63c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [errors](./kibana-plugin-server.savedobjectsclient.errors.md)
-
-## SavedObjectsClient.errors property
-
-<b>Signature:</b>
-
-```typescript
-static errors: typeof SavedObjectsErrorHelpers;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [errors](./kibana-plugin-server.savedobjectsclient.errors.md)
+
+## SavedObjectsClient.errors property
+
+<b>Signature:</b>
+
+```typescript
+static errors: typeof SavedObjectsErrorHelpers;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
index f72691d3ce0c8..a590cc4c4b663 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [find](./kibana-plugin-server.savedobjectsclient.find.md)
-
-## SavedObjectsClient.find() method
-
-Find all SavedObjects matching the search query
-
-<b>Signature:</b>
-
-```typescript
-find<T extends SavedObjectAttributes = any>(options: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  options | <code>SavedObjectsFindOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsFindResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [find](./kibana-plugin-server.savedobjectsclient.find.md)
+
+## SavedObjectsClient.find() method
+
+Find all SavedObjects matching the search query
+
+<b>Signature:</b>
+
+```typescript
+find<T extends SavedObjectAttributes = any>(options: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  options | <code>SavedObjectsFindOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsFindResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
index 3906462184d4f..bde16a134f5b5 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [get](./kibana-plugin-server.savedobjectsclient.get.md)
-
-## SavedObjectsClient.get() method
-
-Retrieves a single object
-
-<b>Signature:</b>
-
-```typescript
-get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> | The type of SavedObject to retrieve |
-|  id | <code>string</code> | The ID of the SavedObject to retrieve |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [get](./kibana-plugin-server.savedobjectsclient.get.md)
+
+## SavedObjectsClient.get() method
+
+Retrieves a single object
+
+<b>Signature:</b>
+
+```typescript
+get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> | The type of SavedObject to retrieve |
+|  id | <code>string</code> | The ID of the SavedObject to retrieve |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
index 4a42c11e511df..e68486ecff874 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md)
-
-## SavedObjectsClient class
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsClient 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) |  | <code>typeof SavedObjectsErrorHelpers</code> |  |
-|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) | <code>static</code> | <code>typeof SavedObjectsErrorHelpers</code> |  |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkcreate.md) |  | Persists multiple documents batched together as a single request |
-|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkget.md) |  | Returns an array of objects by id |
-|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkupdate.md) |  | Bulk Updates multiple SavedObject at once |
-|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsclient.create.md) |  | Persists a SavedObject |
-|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsclient.delete.md) |  | Deletes a SavedObject |
-|  [find(options)](./kibana-plugin-server.savedobjectsclient.find.md) |  | Find all SavedObjects matching the search query |
-|  [get(type, id, options)](./kibana-plugin-server.savedobjectsclient.get.md) |  | Retrieves a single object |
-|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsclient.update.md) |  | Updates an SavedObject |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md)
+
+## SavedObjectsClient class
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsClient 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) |  | <code>typeof SavedObjectsErrorHelpers</code> |  |
+|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) | <code>static</code> | <code>typeof SavedObjectsErrorHelpers</code> |  |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkcreate.md) |  | Persists multiple documents batched together as a single request |
+|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkget.md) |  | Returns an array of objects by id |
+|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkupdate.md) |  | Bulk Updates multiple SavedObject at once |
+|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsclient.create.md) |  | Persists a SavedObject |
+|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsclient.delete.md) |  | Deletes a SavedObject |
+|  [find(options)](./kibana-plugin-server.savedobjectsclient.find.md) |  | Find all SavedObjects matching the search query |
+|  [get(type, id, options)](./kibana-plugin-server.savedobjectsclient.get.md) |  | Retrieves a single object |
+|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsclient.update.md) |  | Updates an SavedObject |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
index 2c71e518b7b05..16454c98bb55b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [update](./kibana-plugin-server.savedobjectsclient.update.md)
-
-## SavedObjectsClient.update() method
-
-Updates an SavedObject
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>Partial&lt;T&gt;</code> |  |
-|  options | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsUpdateResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [update](./kibana-plugin-server.savedobjectsclient.update.md)
+
+## SavedObjectsClient.update() method
+
+Updates an SavedObject
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>Partial&lt;T&gt;</code> |  |
+|  options | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsUpdateResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
index c21c7bfe978ab..bc5b11dd21b78 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
@@ -1,43 +1,43 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
-
-## SavedObjectsClientContract type
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.
-
-\#\# SavedObjectsClient errors
-
-Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:
-
-1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the `isXYZError()` helpers exposed at `SavedObjectsErrorHelpers` should be used to understand and manage error responses from the `SavedObjectsClient`<!-- -->.
-
-Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for `error.body.error.type` or doing substring checks on `error.body.error.reason`<!-- -->, just use the helpers to understand the meaning of the error:
-
-\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }
-
-if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }
-
-// always rethrow the error unless you handle it throw error; \`\`\`
-
-\#\#\# 404s from missing index
-
-From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.
-
-At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.
-
-From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.
-
-\#\#\# 503s from missing index
-
-Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's `action.auto_create_index` setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.
-
-See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientContract = Pick<SavedObjectsClient, keyof SavedObjectsClient>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
+
+## SavedObjectsClientContract type
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.
+
+\#\# SavedObjectsClient errors
+
+Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:
+
+1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the `isXYZError()` helpers exposed at `SavedObjectsErrorHelpers` should be used to understand and manage error responses from the `SavedObjectsClient`<!-- -->.
+
+Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for `error.body.error.type` or doing substring checks on `error.body.error.reason`<!-- -->, just use the helpers to understand the meaning of the error:
+
+\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }
+
+if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }
+
+// always rethrow the error unless you handle it throw error; \`\`\`
+
+\#\#\# 404s from missing index
+
+From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.
+
+At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.
+
+From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.
+
+\#\#\# 503s from missing index
+
+Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's `action.auto_create_index` setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.
+
+See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientContract = Pick<SavedObjectsClient, keyof SavedObjectsClient>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
index 01c6c6a108b7b..be4ecfb081dad 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)
-
-## SavedObjectsClientFactory type
-
-Describes the factory used to create instances of the Saved Objects Client.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientFactory = ({ request, }: {
-    request: KibanaRequest;
-}) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)
+
+## SavedObjectsClientFactory type
+
+Describes the factory used to create instances of the Saved Objects Client.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientFactory = ({ request, }: {
+    request: KibanaRequest;
+}) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
index 59617b6be443c..d5be055d3c8c9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md)
-
-## SavedObjectsClientFactoryProvider type
-
-Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientFactoryProvider = (repositoryFactory: SavedObjectsRepositoryFactory) => SavedObjectsClientFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md)
+
+## SavedObjectsClientFactoryProvider type
+
+Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientFactoryProvider = (repositoryFactory: SavedObjectsRepositoryFactory) => SavedObjectsClientFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
index 344a1b5e153aa..9eb036c01e26e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) &gt; [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md)
-
-## SavedObjectsClientProviderOptions.excludedWrappers property
-
-<b>Signature:</b>
-
-```typescript
-excludedWrappers?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) &gt; [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md)
+
+## SavedObjectsClientProviderOptions.excludedWrappers property
+
+<b>Signature:</b>
+
+```typescript
+excludedWrappers?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
index 8027bf1c78c9f..29b872a30a373 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md)
-
-## SavedObjectsClientProviderOptions interface
-
-Options to control the creation of the Saved Objects Client.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsClientProviderOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md)
+
+## SavedObjectsClientProviderOptions interface
+
+Options to control the creation of the Saved Objects Client.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsClientProviderOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
index f429c92209900..579c555a83062 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md)
-
-## SavedObjectsClientWrapperFactory type
-
-Describes the factory used to create instances of Saved Objects Client Wrappers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientWrapperFactory = (options: SavedObjectsClientWrapperOptions) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md)
+
+## SavedObjectsClientWrapperFactory type
+
+Describes the factory used to create instances of Saved Objects Client Wrappers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientWrapperFactory = (options: SavedObjectsClientWrapperOptions) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
index a154d55f04cc8..0545901087bb4 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md)
-
-## SavedObjectsClientWrapperOptions.client property
-
-<b>Signature:</b>
-
-```typescript
-client: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md)
+
+## SavedObjectsClientWrapperOptions.client property
+
+<b>Signature:</b>
+
+```typescript
+client: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
index dfff863898a2b..57b60b50313c2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md)
-
-## SavedObjectsClientWrapperOptions interface
-
-Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsClientWrapperOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md) | <code>SavedObjectsClientContract</code> |  |
-|  [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md) | <code>KibanaRequest</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md)
+
+## SavedObjectsClientWrapperOptions interface
+
+Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsClientWrapperOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md) | <code>SavedObjectsClientContract</code> |  |
+|  [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md) | <code>KibanaRequest</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
index 89c7e0ed207ff..688defbe47b94 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md)
-
-## SavedObjectsClientWrapperOptions.request property
-
-<b>Signature:</b>
-
-```typescript
-request: KibanaRequest;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md)
+
+## SavedObjectsClientWrapperOptions.request property
+
+<b>Signature:</b>
+
+```typescript
+request: KibanaRequest;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
index b63eade437fff..1c55342bb0430 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-server.savedobjectscreateoptions.id.md)
-
-## SavedObjectsCreateOptions.id property
-
-(not recommended) Specify an id for the document
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-server.savedobjectscreateoptions.id.md)
+
+## SavedObjectsCreateOptions.id property
+
+(not recommended) Specify an id for the document
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
index 8bbafbdf5814b..e4ad636056915 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md)
-
-## SavedObjectsCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsCreateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectscreateoptions.id.md) | <code>string</code> | (not recommended) Specify an id for the document |
-|  [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | Overwrite existing documents (defaults to false) |
-|  [references](./kibana-plugin-server.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md)
+
+## SavedObjectsCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsCreateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectscreateoptions.id.md) | <code>string</code> | (not recommended) Specify an id for the document |
+|  [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | Overwrite existing documents (defaults to false) |
+|  [references](./kibana-plugin-server.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
index 92b858f446412..33432b1138d91 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md)
-
-## SavedObjectsCreateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md)
+
+## SavedObjectsCreateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
index 039bf0be85459..cb58e87795300 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md)
-
-## SavedObjectsCreateOptions.overwrite property
-
-Overwrite existing documents (defaults to false)
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md)
+
+## SavedObjectsCreateOptions.overwrite property
+
+Overwrite existing documents (defaults to false)
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
index d168cd4a1adc9..bdf88b021c06c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectscreateoptions.references.md)
-
-## SavedObjectsCreateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectscreateoptions.references.md)
+
+## SavedObjectsCreateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
index 2f67dff5d4a5d..785874a12c8c4 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md)
-
-## SavedObjectsCreateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md)
+
+## SavedObjectsCreateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
index 743bf8fee33cc..df4ce1b4b8428 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md)
-
-## SavedObjectsDeleteByNamespaceOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsDeleteByNamespaceOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md)
+
+## SavedObjectsDeleteByNamespaceOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsDeleteByNamespaceOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
index 0c314b7b094dc..2332520ac388f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md)
-
-## SavedObjectsDeleteByNamespaceOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md)
+
+## SavedObjectsDeleteByNamespaceOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
index c4c2e9f64a7be..2c641ba5cc8d8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md)
-
-## SavedObjectsDeleteOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsDeleteOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md)
+
+## SavedObjectsDeleteOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsDeleteOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
index 476d982bed950..782c52956f297 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md)
-
-## SavedObjectsDeleteOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md)
+
+## SavedObjectsDeleteOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
index 38e133b40c852..03ad9d29c1cc3 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md)
-
-## SavedObjectsErrorHelpers.createBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static createBadRequestError(reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md)
+
+## SavedObjectsErrorHelpers.createBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static createBadRequestError(reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
index 6a1d86dc6cd14..62cec4bfa38fc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md)
-
-## SavedObjectsErrorHelpers.createEsAutoCreateIndexError() method
-
-<b>Signature:</b>
-
-```typescript
-static createEsAutoCreateIndexError(): DecoratedError;
-```
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md)
+
+## SavedObjectsErrorHelpers.createEsAutoCreateIndexError() method
+
+<b>Signature:</b>
+
+```typescript
+static createEsAutoCreateIndexError(): DecoratedError;
+```
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
index e608939af45cb..1abe1cf0067ec 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createGenericNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md)
-
-## SavedObjectsErrorHelpers.createGenericNotFoundError() method
-
-<b>Signature:</b>
-
-```typescript
-static createGenericNotFoundError(type?: string | null, id?: string | null): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string &#124; null</code> |  |
-|  id | <code>string &#124; null</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createGenericNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md)
+
+## SavedObjectsErrorHelpers.createGenericNotFoundError() method
+
+<b>Signature:</b>
+
+```typescript
+static createGenericNotFoundError(type?: string | null, id?: string | null): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string &#124; null</code> |  |
+|  id | <code>string &#124; null</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
index 15a25d90d8d82..fc65c93fde946 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md)
-
-## SavedObjectsErrorHelpers.createInvalidVersionError() method
-
-<b>Signature:</b>
-
-```typescript
-static createInvalidVersionError(versionInput?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  versionInput | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md)
+
+## SavedObjectsErrorHelpers.createInvalidVersionError() method
+
+<b>Signature:</b>
+
+```typescript
+static createInvalidVersionError(versionInput?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  versionInput | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
index 51d48c7083f2e..1b22f86df6796 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createUnsupportedTypeError](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md)
-
-## SavedObjectsErrorHelpers.createUnsupportedTypeError() method
-
-<b>Signature:</b>
-
-```typescript
-static createUnsupportedTypeError(type: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createUnsupportedTypeError](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md)
+
+## SavedObjectsErrorHelpers.createUnsupportedTypeError() method
+
+<b>Signature:</b>
+
+```typescript
+static createUnsupportedTypeError(type: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
index 07da6c59591ec..deccee473eaa4 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md)
-
-## SavedObjectsErrorHelpers.decorateBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateBadRequestError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md)
+
+## SavedObjectsErrorHelpers.decorateBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateBadRequestError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
index 10e974c22d9ab..ac999903d3a21 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateConflictError](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md)
-
-## SavedObjectsErrorHelpers.decorateConflictError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateConflictError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateConflictError](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md)
+
+## SavedObjectsErrorHelpers.decorateConflictError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateConflictError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
index 8d0f498f5eb79..54a420913390b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md)
-
-## SavedObjectsErrorHelpers.decorateEsUnavailableError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateEsUnavailableError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md)
+
+## SavedObjectsErrorHelpers.decorateEsUnavailableError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateEsUnavailableError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
index b95c207b691c5..c5130dfb12400 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md)
-
-## SavedObjectsErrorHelpers.decorateForbiddenError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateForbiddenError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md)
+
+## SavedObjectsErrorHelpers.decorateForbiddenError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateForbiddenError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
index c08417ada5436..6086df058483f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateGeneralError](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md)
-
-## SavedObjectsErrorHelpers.decorateGeneralError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateGeneralError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateGeneralError](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md)
+
+## SavedObjectsErrorHelpers.decorateGeneralError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateGeneralError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
index db412b869aeae..3977b58c945bc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md)
-
-## SavedObjectsErrorHelpers.decorateNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateNotAuthorizedError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md)
+
+## SavedObjectsErrorHelpers.decorateNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateNotAuthorizedError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
index e426192afe4ee..58cba64fd3139 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md)
-
-## SavedObjectsErrorHelpers.decorateRequestEntityTooLargeError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateRequestEntityTooLargeError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md)
+
+## SavedObjectsErrorHelpers.decorateRequestEntityTooLargeError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateRequestEntityTooLargeError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
index b66faa0b79471..79805e371884d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md)
-
-## SavedObjectsErrorHelpers.isBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static isBadRequestError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md)
+
+## SavedObjectsErrorHelpers.isBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static isBadRequestError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
index e8652190e59b9..99e636bf006ad 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isConflictError](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md)
-
-## SavedObjectsErrorHelpers.isConflictError() method
-
-<b>Signature:</b>
-
-```typescript
-static isConflictError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isConflictError](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md)
+
+## SavedObjectsErrorHelpers.isConflictError() method
+
+<b>Signature:</b>
+
+```typescript
+static isConflictError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
index df6129390b0c7..37b845d336203 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md)
-
-## SavedObjectsErrorHelpers.isEsAutoCreateIndexError() method
-
-<b>Signature:</b>
-
-```typescript
-static isEsAutoCreateIndexError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md)
+
+## SavedObjectsErrorHelpers.isEsAutoCreateIndexError() method
+
+<b>Signature:</b>
+
+```typescript
+static isEsAutoCreateIndexError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
index 44b8afa6c649a..0672c92a0c80f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md)
-
-## SavedObjectsErrorHelpers.isEsUnavailableError() method
-
-<b>Signature:</b>
-
-```typescript
-static isEsUnavailableError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md)
+
+## SavedObjectsErrorHelpers.isEsUnavailableError() method
+
+<b>Signature:</b>
+
+```typescript
+static isEsUnavailableError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
index 7955f5f5dbf46..6350de9b6403c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md)
-
-## SavedObjectsErrorHelpers.isForbiddenError() method
-
-<b>Signature:</b>
-
-```typescript
-static isForbiddenError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md)
+
+## SavedObjectsErrorHelpers.isForbiddenError() method
+
+<b>Signature:</b>
+
+```typescript
+static isForbiddenError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
index 7218e50d5f157..c91056b92e456 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md)
-
-## SavedObjectsErrorHelpers.isInvalidVersionError() method
-
-<b>Signature:</b>
-
-```typescript
-static isInvalidVersionError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md)
+
+## SavedObjectsErrorHelpers.isInvalidVersionError() method
+
+<b>Signature:</b>
+
+```typescript
+static isInvalidVersionError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
index fd28812b96527..6cedc87f52db9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md)
-
-## SavedObjectsErrorHelpers.isNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotAuthorizedError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md)
+
+## SavedObjectsErrorHelpers.isNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotAuthorizedError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
index 3a1c8b3f3d360..125730454e4d0 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md)
-
-## SavedObjectsErrorHelpers.isNotFoundError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotFoundError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md)
+
+## SavedObjectsErrorHelpers.isNotFoundError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotFoundError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
index 6b23d08245574..63a8862a6d84c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md)
-
-## SavedObjectsErrorHelpers.isRequestEntityTooLargeError() method
-
-<b>Signature:</b>
-
-```typescript
-static isRequestEntityTooLargeError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md)
+
+## SavedObjectsErrorHelpers.isRequestEntityTooLargeError() method
+
+<b>Signature:</b>
+
+```typescript
+static isRequestEntityTooLargeError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
index 3e79e41dba53f..8e22e2df805f8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isSavedObjectsClientError](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md)
-
-## SavedObjectsErrorHelpers.isSavedObjectsClientError() method
-
-<b>Signature:</b>
-
-```typescript
-static isSavedObjectsClientError(error: any): error is DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`error is DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isSavedObjectsClientError](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md)
+
+## SavedObjectsErrorHelpers.isSavedObjectsClientError() method
+
+<b>Signature:</b>
+
+```typescript
+static isSavedObjectsClientError(error: any): error is DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`error is DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
index d7c39281fca33..ffa4b06028c2a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
@@ -1,40 +1,40 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-## SavedObjectsErrorHelpers class
-
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsErrorHelpers 
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [createBadRequestError(reason)](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md) | <code>static</code> |  |
-|  [createEsAutoCreateIndexError()](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md) | <code>static</code> |  |
-|  [createGenericNotFoundError(type, id)](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md) | <code>static</code> |  |
-|  [createInvalidVersionError(versionInput)](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md) | <code>static</code> |  |
-|  [createUnsupportedTypeError(type)](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md) | <code>static</code> |  |
-|  [decorateBadRequestError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md) | <code>static</code> |  |
-|  [decorateConflictError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md) | <code>static</code> |  |
-|  [decorateEsUnavailableError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md) | <code>static</code> |  |
-|  [decorateForbiddenError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md) | <code>static</code> |  |
-|  [decorateGeneralError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md) | <code>static</code> |  |
-|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
-|  [decorateRequestEntityTooLargeError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md) | <code>static</code> |  |
-|  [isBadRequestError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md) | <code>static</code> |  |
-|  [isConflictError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md) | <code>static</code> |  |
-|  [isEsAutoCreateIndexError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md) | <code>static</code> |  |
-|  [isEsUnavailableError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md) | <code>static</code> |  |
-|  [isForbiddenError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md) | <code>static</code> |  |
-|  [isInvalidVersionError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md) | <code>static</code> |  |
-|  [isNotAuthorizedError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
-|  [isNotFoundError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md) | <code>static</code> |  |
-|  [isRequestEntityTooLargeError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md) | <code>static</code> |  |
-|  [isSavedObjectsClientError(error)](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md) | <code>static</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+## SavedObjectsErrorHelpers class
+
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsErrorHelpers 
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [createBadRequestError(reason)](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md) | <code>static</code> |  |
+|  [createEsAutoCreateIndexError()](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md) | <code>static</code> |  |
+|  [createGenericNotFoundError(type, id)](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md) | <code>static</code> |  |
+|  [createInvalidVersionError(versionInput)](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md) | <code>static</code> |  |
+|  [createUnsupportedTypeError(type)](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md) | <code>static</code> |  |
+|  [decorateBadRequestError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md) | <code>static</code> |  |
+|  [decorateConflictError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md) | <code>static</code> |  |
+|  [decorateEsUnavailableError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md) | <code>static</code> |  |
+|  [decorateForbiddenError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md) | <code>static</code> |  |
+|  [decorateGeneralError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md) | <code>static</code> |  |
+|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
+|  [decorateRequestEntityTooLargeError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md) | <code>static</code> |  |
+|  [isBadRequestError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md) | <code>static</code> |  |
+|  [isConflictError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md) | <code>static</code> |  |
+|  [isEsAutoCreateIndexError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md) | <code>static</code> |  |
+|  [isEsUnavailableError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md) | <code>static</code> |  |
+|  [isForbiddenError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md) | <code>static</code> |  |
+|  [isInvalidVersionError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md) | <code>static</code> |  |
+|  [isNotAuthorizedError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
+|  [isNotFoundError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md) | <code>static</code> |  |
+|  [isRequestEntityTooLargeError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md) | <code>static</code> |  |
+|  [isSavedObjectsClientError(error)](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md) | <code>static</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
index 479fa0221e256..bffc809689834 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md)
-
-## SavedObjectsExportOptions.excludeExportDetails property
-
-flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream.
-
-<b>Signature:</b>
-
-```typescript
-excludeExportDetails?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md)
+
+## SavedObjectsExportOptions.excludeExportDetails property
+
+flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream.
+
+<b>Signature:</b>
+
+```typescript
+excludeExportDetails?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
index 91a6e62296924..36eba99273997 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md)
-
-## SavedObjectsExportOptions.exportSizeLimit property
-
-the maximum number of objects to export.
-
-<b>Signature:</b>
-
-```typescript
-exportSizeLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md)
+
+## SavedObjectsExportOptions.exportSizeLimit property
+
+the maximum number of objects to export.
+
+<b>Signature:</b>
+
+```typescript
+exportSizeLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
index 44ac2761a19d2..0cd7688e04184 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md)
-
-## SavedObjectsExportOptions.includeReferencesDeep property
-
-flag to also include all related saved objects in the export stream.
-
-<b>Signature:</b>
-
-```typescript
-includeReferencesDeep?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md)
+
+## SavedObjectsExportOptions.includeReferencesDeep property
+
+flag to also include all related saved objects in the export stream.
+
+<b>Signature:</b>
+
+```typescript
+includeReferencesDeep?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
index 2715d58ab30d7..d312d7d4b3499 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md)
-
-## SavedObjectsExportOptions interface
-
-Options controlling the export operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsExportOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md) | <code>boolean</code> | flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream. |
-|  [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md) | <code>number</code> | the maximum number of objects to export. |
-|  [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md) | <code>boolean</code> | flag to also include all related saved objects in the export stream. |
-|  [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md) | <code>string</code> | optional namespace to override the namespace used by the savedObjectsClient. |
-|  [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | optional array of objects to export. |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> | an instance of the SavedObjectsClient. |
-|  [search](./kibana-plugin-server.savedobjectsexportoptions.search.md) | <code>string</code> | optional query string to filter exported objects. |
-|  [types](./kibana-plugin-server.savedobjectsexportoptions.types.md) | <code>string[]</code> | optional array of saved object types. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md)
+
+## SavedObjectsExportOptions interface
+
+Options controlling the export operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsExportOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md) | <code>boolean</code> | flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream. |
+|  [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md) | <code>number</code> | the maximum number of objects to export. |
+|  [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md) | <code>boolean</code> | flag to also include all related saved objects in the export stream. |
+|  [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md) | <code>string</code> | optional namespace to override the namespace used by the savedObjectsClient. |
+|  [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | optional array of objects to export. |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> | an instance of the SavedObjectsClient. |
+|  [search](./kibana-plugin-server.savedobjectsexportoptions.search.md) | <code>string</code> | optional query string to filter exported objects. |
+|  [types](./kibana-plugin-server.savedobjectsexportoptions.types.md) | <code>string[]</code> | optional array of saved object types. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
index 6dde67d8cac0d..1a28cc92e6e7e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md)
-
-## SavedObjectsExportOptions.namespace property
-
-optional namespace to override the namespace used by the savedObjectsClient.
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md)
+
+## SavedObjectsExportOptions.namespace property
+
+optional namespace to override the namespace used by the savedObjectsClient.
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
index ab93ecc06a137..cd32f66c0f81e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md)
-
-## SavedObjectsExportOptions.objects property
-
-optional array of objects to export.
-
-<b>Signature:</b>
-
-```typescript
-objects?: Array<{
-        id: string;
-        type: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md)
+
+## SavedObjectsExportOptions.objects property
+
+optional array of objects to export.
+
+<b>Signature:</b>
+
+```typescript
+objects?: Array<{
+        id: string;
+        type: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
index 851f0025b6c1b..1e0dd6c6f164f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md)
-
-## SavedObjectsExportOptions.savedObjectsClient property
-
-an instance of the SavedObjectsClient.
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md)
+
+## SavedObjectsExportOptions.savedObjectsClient property
+
+an instance of the SavedObjectsClient.
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
index a78fccc3f0b66..5e44486ee65e0 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsexportoptions.search.md)
-
-## SavedObjectsExportOptions.search property
-
-optional query string to filter exported objects.
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsexportoptions.search.md)
+
+## SavedObjectsExportOptions.search property
+
+optional query string to filter exported objects.
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
index bf57bc253c52c..cf1eb676f7ab8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [types](./kibana-plugin-server.savedobjectsexportoptions.types.md)
-
-## SavedObjectsExportOptions.types property
-
-optional array of saved object types.
-
-<b>Signature:</b>
-
-```typescript
-types?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [types](./kibana-plugin-server.savedobjectsexportoptions.types.md)
+
+## SavedObjectsExportOptions.types property
+
+optional array of saved object types.
+
+<b>Signature:</b>
+
+```typescript
+types?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
index 9f67dea572abf..c2e588dd3c121 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md)
-
-## SavedObjectsExportResultDetails.exportedCount property
-
-number of successfully exported objects
-
-<b>Signature:</b>
-
-```typescript
-exportedCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md)
+
+## SavedObjectsExportResultDetails.exportedCount property
+
+number of successfully exported objects
+
+<b>Signature:</b>
+
+```typescript
+exportedCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
index 475918d97f7ac..fb3af350d21ea 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md)
-
-## SavedObjectsExportResultDetails interface
-
-Structure of the export result details entry
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsExportResultDetails 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md) | <code>number</code> | number of successfully exported objects |
-|  [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md) | <code>number</code> | number of missing references |
-|  [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | missing references details |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md)
+
+## SavedObjectsExportResultDetails interface
+
+Structure of the export result details entry
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsExportResultDetails 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md) | <code>number</code> | number of successfully exported objects |
+|  [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md) | <code>number</code> | number of missing references |
+|  [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | missing references details |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
index bc1b359aeda80..5b51199ea4780 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md)
-
-## SavedObjectsExportResultDetails.missingRefCount property
-
-number of missing references
-
-<b>Signature:</b>
-
-```typescript
-missingRefCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md)
+
+## SavedObjectsExportResultDetails.missingRefCount property
+
+number of missing references
+
+<b>Signature:</b>
+
+```typescript
+missingRefCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
index 024f625b527e8..1602bfb6e6cb6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md)
-
-## SavedObjectsExportResultDetails.missingReferences property
-
-missing references details
-
-<b>Signature:</b>
-
-```typescript
-missingReferences: Array<{
-        id: string;
-        type: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md)
+
+## SavedObjectsExportResultDetails.missingReferences property
+
+missing references details
+
+<b>Signature:</b>
+
+```typescript
+missingReferences: Array<{
+        id: string;
+        type: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
index e4209bee3f8b6..c3b7f35e351ff 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md)
-
-## SavedObjectsFindOptions.defaultSearchOperator property
-
-<b>Signature:</b>
-
-```typescript
-defaultSearchOperator?: 'AND' | 'OR';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md)
+
+## SavedObjectsFindOptions.defaultSearchOperator property
+
+<b>Signature:</b>
+
+```typescript
+defaultSearchOperator?: 'AND' | 'OR';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
index b4777d45217e1..394363abb5d4d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md)
-
-## SavedObjectsFindOptions.fields property
-
-An array of fields to include in the results
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
-
-## Example
-
-SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md)
+
+## SavedObjectsFindOptions.fields property
+
+An array of fields to include in the results
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
+
+## Example
+
+SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
index 409fc337188dc..308bebbeaf60b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md)
-
-## SavedObjectsFindOptions.filter property
-
-<b>Signature:</b>
-
-```typescript
-filter?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md)
+
+## SavedObjectsFindOptions.filter property
+
+<b>Signature:</b>
+
+```typescript
+filter?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
index 23f0bc712ca52..01d20d898c1ef 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md)
-
-## SavedObjectsFindOptions.hasReference property
-
-<b>Signature:</b>
-
-```typescript
-hasReference?: {
-        type: string;
-        id: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md)
+
+## SavedObjectsFindOptions.hasReference property
+
+<b>Signature:</b>
+
+```typescript
+hasReference?: {
+        type: string;
+        id: string;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
index df1b916b0604b..dfd51d480db92 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md)
-
-## SavedObjectsFindOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
-|  [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
-|  [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
-|  [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
-|  [page](./kibana-plugin-server.savedobjectsfindoptions.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
-|  [search](./kibana-plugin-server.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
-|  [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
-|  [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
-|  [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md)
+
+## SavedObjectsFindOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
+|  [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
+|  [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
+|  [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
+|  [page](./kibana-plugin-server.savedobjectsfindoptions.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
+|  [search](./kibana-plugin-server.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
+|  [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
+|  [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
+|  [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
index 40a62f9b82da4..ab6faaf6649ee 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-server.savedobjectsfindoptions.page.md)
-
-## SavedObjectsFindOptions.page property
-
-<b>Signature:</b>
-
-```typescript
-page?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-server.savedobjectsfindoptions.page.md)
+
+## SavedObjectsFindOptions.page property
+
+<b>Signature:</b>
+
+```typescript
+page?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
index c53db2089630f..f775aa450b93a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md)
-
-## SavedObjectsFindOptions.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md)
+
+## SavedObjectsFindOptions.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
index 5807307a29ad0..a29dda1892918 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsfindoptions.search.md)
-
-## SavedObjectsFindOptions.search property
-
-Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsfindoptions.search.md)
+
+## SavedObjectsFindOptions.search property
+
+Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
index 5e42ebd4b1dc9..2505bac8aec49 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md)
-
-## SavedObjectsFindOptions.searchFields property
-
-The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-searchFields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md)
+
+## SavedObjectsFindOptions.searchFields property
+
+The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+searchFields?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
index a67fc786a8037..3ba2916c3b068 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md)
-
-## SavedObjectsFindOptions.sortField property
-
-<b>Signature:</b>
-
-```typescript
-sortField?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md)
+
+## SavedObjectsFindOptions.sortField property
+
+<b>Signature:</b>
+
+```typescript
+sortField?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
index 32475703199e6..bae922313db34 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md)
-
-## SavedObjectsFindOptions.sortOrder property
-
-<b>Signature:</b>
-
-```typescript
-sortOrder?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md)
+
+## SavedObjectsFindOptions.sortOrder property
+
+<b>Signature:</b>
+
+```typescript
+sortOrder?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
index 325cb491b71ca..95bac5bbc5cb8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-server.savedobjectsfindoptions.type.md)
-
-## SavedObjectsFindOptions.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-server.savedobjectsfindoptions.type.md)
+
+## SavedObjectsFindOptions.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
index efdc07cea88fd..23299e22d8004 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md)
-
-## SavedObjectsFindResponse interface
-
-Return type of the Saved Objects `find()` method.
-
-\*Note\*: this type is different between the Public and Server Saved Objects clients.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [page](./kibana-plugin-server.savedobjectsfindresponse.page.md) | <code>number</code> |  |
-|  [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md) | <code>number</code> |  |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
-|  [total](./kibana-plugin-server.savedobjectsfindresponse.total.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md)
+
+## SavedObjectsFindResponse interface
+
+Return type of the Saved Objects `find()` method.
+
+\*Note\*: this type is different between the Public and Server Saved Objects clients.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [page](./kibana-plugin-server.savedobjectsfindresponse.page.md) | <code>number</code> |  |
+|  [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md) | <code>number</code> |  |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
+|  [total](./kibana-plugin-server.savedobjectsfindresponse.total.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
index f6327563e902b..82cd16cd7b48a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [page](./kibana-plugin-server.savedobjectsfindresponse.page.md)
-
-## SavedObjectsFindResponse.page property
-
-<b>Signature:</b>
-
-```typescript
-page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [page](./kibana-plugin-server.savedobjectsfindresponse.page.md)
+
+## SavedObjectsFindResponse.page property
+
+<b>Signature:</b>
+
+```typescript
+page: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
index d60690dcbc793..d93b302488382 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md)
-
-## SavedObjectsFindResponse.per\_page property
-
-<b>Signature:</b>
-
-```typescript
-per_page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md)
+
+## SavedObjectsFindResponse.per\_page property
+
+<b>Signature:</b>
+
+```typescript
+per_page: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
index aba05cd3824e0..9e4247be4e02d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md)
-
-## SavedObjectsFindResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md)
+
+## SavedObjectsFindResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObject<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
index 84626f76d66ad..12e86e8d3a4e7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [total](./kibana-plugin-server.savedobjectsfindresponse.total.md)
-
-## SavedObjectsFindResponse.total property
-
-<b>Signature:</b>
-
-```typescript
-total: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [total](./kibana-plugin-server.savedobjectsfindresponse.total.md)
+
+## SavedObjectsFindResponse.total property
+
+<b>Signature:</b>
+
+```typescript
+total: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
index ade9e50b05a0e..485500da504a9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md)
-
-## SavedObjectsImportConflictError interface
-
-Represents a failure to import due to a conflict.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportConflictError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md)
+
+## SavedObjectsImportConflictError interface
+
+Represents a failure to import due to a conflict.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportConflictError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
index f37d4615b2248..bd85de140674a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md)
-
-## SavedObjectsImportConflictError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'conflict';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md)
+
+## SavedObjectsImportConflictError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'conflict';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
index fd5c667c11a6f..0828ca9e01c34 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-server.savedobjectsimporterror.error.md)
-
-## SavedObjectsImportError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-server.savedobjectsimporterror.error.md)
+
+## SavedObjectsImportError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
index 791797b88cc63..0791d668f4626 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-server.savedobjectsimporterror.id.md)
-
-## SavedObjectsImportError.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-server.savedobjectsimporterror.id.md)
+
+## SavedObjectsImportError.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
index f0a734c2f29cc..0d734c21c3151 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md)
-
-## SavedObjectsImportError interface
-
-Represents a failure to import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-server.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
-|  [id](./kibana-plugin-server.savedobjectsimporterror.id.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-server.savedobjectsimporterror.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimporterror.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md)
+
+## SavedObjectsImportError interface
+
+Represents a failure to import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-server.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
+|  [id](./kibana-plugin-server.savedobjectsimporterror.id.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-server.savedobjectsimporterror.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimporterror.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
index 80b8b695ea467..bd0beeb4d79dd 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-server.savedobjectsimporterror.title.md)
-
-## SavedObjectsImportError.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-server.savedobjectsimporterror.title.md)
+
+## SavedObjectsImportError.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
index 6d4edf37d7a2c..0b48cc4bbaecf 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimporterror.type.md)
-
-## SavedObjectsImportError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimporterror.type.md)
+
+## SavedObjectsImportError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
index 44564f6db6976..bbbd499ea5844 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md)
-
-## SavedObjectsImportMissingReferencesError.blocking property
-
-<b>Signature:</b>
-
-```typescript
-blocking: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md)
+
+## SavedObjectsImportMissingReferencesError.blocking property
+
+<b>Signature:</b>
+
+```typescript
+blocking: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
index 72ce40bd6edfa..fb4e997fe17ba 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md)
-
-## SavedObjectsImportMissingReferencesError interface
-
-Represents a failure to import due to missing references.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportMissingReferencesError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md)
+
+## SavedObjectsImportMissingReferencesError interface
+
+Represents a failure to import due to missing references.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportMissingReferencesError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
index 795bfa9fc9ea9..593d2b48d456c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md)
-
-## SavedObjectsImportMissingReferencesError.references property
-
-<b>Signature:</b>
-
-```typescript
-references: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md)
+
+## SavedObjectsImportMissingReferencesError.references property
+
+<b>Signature:</b>
+
+```typescript
+references: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
index 80ac2efb28dbc..3e6e80f77c447 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md)
-
-## SavedObjectsImportMissingReferencesError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'missing_references';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md)
+
+## SavedObjectsImportMissingReferencesError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'missing_references';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
index 9653fa802a3e8..a1ea33e11b14f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md)
-
-## SavedObjectsImportOptions interface
-
-Options to control the import operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md) | <code>string</code> |  |
-|  [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md) | <code>number</code> |  |
-|  [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md) | <code>boolean</code> |  |
-|  [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md) | <code>Readable</code> |  |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
-|  [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md)
+
+## SavedObjectsImportOptions interface
+
+Options to control the import operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md) | <code>string</code> |  |
+|  [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md) | <code>number</code> |  |
+|  [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md) | <code>boolean</code> |  |
+|  [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md) | <code>Readable</code> |  |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
+|  [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
index 2b15ba2a1b7ec..600a4dc1176f3 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md)
-
-## SavedObjectsImportOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md)
+
+## SavedObjectsImportOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
index 89c01a13644b8..bb040a560b89b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md)
-
-## SavedObjectsImportOptions.objectLimit property
-
-<b>Signature:</b>
-
-```typescript
-objectLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md)
+
+## SavedObjectsImportOptions.objectLimit property
+
+<b>Signature:</b>
+
+```typescript
+objectLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
index 54728aaa80fed..4586a93568588 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md)
-
-## SavedObjectsImportOptions.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md)
+
+## SavedObjectsImportOptions.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
index 7739fdfbc8460..4b54f931797cf 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md)
-
-## SavedObjectsImportOptions.readStream property
-
-<b>Signature:</b>
-
-```typescript
-readStream: Readable;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md)
+
+## SavedObjectsImportOptions.readStream property
+
+<b>Signature:</b>
+
+```typescript
+readStream: Readable;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
index 23d5aba5fe114..f0d439aedc005 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md)
-
-## SavedObjectsImportOptions.savedObjectsClient property
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md)
+
+## SavedObjectsImportOptions.savedObjectsClient property
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
index 03ee12ab2a0f7..0359c53d8fcf1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md)
-
-## SavedObjectsImportOptions.supportedTypes property
-
-<b>Signature:</b>
-
-```typescript
-supportedTypes: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md)
+
+## SavedObjectsImportOptions.supportedTypes property
+
+<b>Signature:</b>
+
+```typescript
+supportedTypes: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
index 1df7c0a37323e..c59390c6d45e0 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md)
-
-## SavedObjectsImportResponse.errors property
-
-<b>Signature:</b>
-
-```typescript
-errors?: SavedObjectsImportError[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md)
+
+## SavedObjectsImportResponse.errors property
+
+<b>Signature:</b>
+
+```typescript
+errors?: SavedObjectsImportError[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
index 3e42307e90a4a..23f6526dc6367 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md)
-
-## SavedObjectsImportResponse interface
-
-The response describing the result of an import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
-|  [success](./kibana-plugin-server.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
-|  [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md)
+
+## SavedObjectsImportResponse interface
+
+The response describing the result of an import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
+|  [success](./kibana-plugin-server.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
+|  [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
index 77e528e8541ce..5fd76959c556c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-server.savedobjectsimportresponse.success.md)
-
-## SavedObjectsImportResponse.success property
-
-<b>Signature:</b>
-
-```typescript
-success: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-server.savedobjectsimportresponse.success.md)
+
+## SavedObjectsImportResponse.success property
+
+<b>Signature:</b>
+
+```typescript
+success: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
index 4c1fbcdbcc854..4b49f57e8367d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md)
-
-## SavedObjectsImportResponse.successCount property
-
-<b>Signature:</b>
-
-```typescript
-successCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md)
+
+## SavedObjectsImportResponse.successCount property
+
+<b>Signature:</b>
+
+```typescript
+successCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
index 6491f514c4a3d..568185b2438b7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-server.savedobjectsimportretry.id.md)
-
-## SavedObjectsImportRetry.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-server.savedobjectsimportretry.id.md)
+
+## SavedObjectsImportRetry.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
index d7fcc613b2508..dc842afbf9f29 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md)
-
-## SavedObjectsImportRetry interface
-
-Describes a retry operation for importing a saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportRetry 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectsimportretry.id.md) | <code>string</code> |  |
-|  [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
-|  [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportretry.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md)
+
+## SavedObjectsImportRetry interface
+
+Describes a retry operation for importing a saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportRetry 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectsimportretry.id.md) | <code>string</code> |  |
+|  [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
+|  [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportretry.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
index 68310c61ca0bd..36a31e836aebc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md)
-
-## SavedObjectsImportRetry.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md)
+
+## SavedObjectsImportRetry.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
index 659230932c875..c3439bb554e13 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md)
-
-## SavedObjectsImportRetry.replaceReferences property
-
-<b>Signature:</b>
-
-```typescript
-replaceReferences: Array<{
-        type: string;
-        from: string;
-        to: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md)
+
+## SavedObjectsImportRetry.replaceReferences property
+
+<b>Signature:</b>
+
+```typescript
+replaceReferences: Array<{
+        type: string;
+        from: string;
+        to: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
index db3f3d1c32192..8f0408dcbc11e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-server.savedobjectsimportretry.type.md)
-
-## SavedObjectsImportRetry.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-server.savedobjectsimportretry.type.md)
+
+## SavedObjectsImportRetry.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
index cd6a553b4da19..913038c5bc67d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md)
-
-## SavedObjectsImportUnknownError interface
-
-Represents a failure to import due to an unknown reason.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnknownError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
-|  [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md)
+
+## SavedObjectsImportUnknownError interface
+
+Represents a failure to import due to an unknown reason.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnknownError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
+|  [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
index 0056be3b61018..96b8b98bf6a9f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md)
-
-## SavedObjectsImportUnknownError.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md)
+
+## SavedObjectsImportUnknownError.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
index 1511aaa786fe1..9cdef84ff4ea7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md)
-
-## SavedObjectsImportUnknownError.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md)
+
+## SavedObjectsImportUnknownError.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
index aeb948de0aa00..cf31166157ab7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md)
-
-## SavedObjectsImportUnknownError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unknown';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md)
+
+## SavedObjectsImportUnknownError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unknown';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
index cff068345d801..cc775b20bb8f2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md)
-
-## SavedObjectsImportUnsupportedTypeError interface
-
-Represents a failure to import due to having an unsupported saved object type.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnsupportedTypeError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md)
+
+## SavedObjectsImportUnsupportedTypeError interface
+
+Represents a failure to import due to having an unsupported saved object type.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnsupportedTypeError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
index 6145eefed84c9..ae69911020c18 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md)
-
-## SavedObjectsImportUnsupportedTypeError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unsupported_type';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md)
+
+## SavedObjectsImportUnsupportedTypeError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unsupported_type';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
index b53ec0247511f..38ee40157888f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md)
-
-## SavedObjectsIncrementCounterOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsIncrementCounterOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> |  |
-|  [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md)
+
+## SavedObjectsIncrementCounterOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsIncrementCounterOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> |  |
+|  [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
index 6e24d916969b9..3b80dea4fecde 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md)
-
-## SavedObjectsIncrementCounterOptions.migrationVersion property
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md)
+
+## SavedObjectsIncrementCounterOptions.migrationVersion property
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
index 13104808f8dec..acd8d6f0916f9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md)
-
-## SavedObjectsIncrementCounterOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md)
+
+## SavedObjectsIncrementCounterOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
index 64854078d41d6..be44bc7422d6c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md)
-
-## SavedObjectsMigrationLogger.debug property
-
-<b>Signature:</b>
-
-```typescript
-debug: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md)
+
+## SavedObjectsMigrationLogger.debug property
+
+<b>Signature:</b>
+
+```typescript
+debug: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
index 57bb1e77d0e78..f8bbd5e4e6250 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md)
-
-## SavedObjectsMigrationLogger.info property
-
-<b>Signature:</b>
-
-```typescript
-info: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md)
+
+## SavedObjectsMigrationLogger.info property
+
+<b>Signature:</b>
+
+```typescript
+info: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
index a98d88700cd55..9e21cb0641baf 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md)
-
-## SavedObjectsMigrationLogger interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationLogger 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md) | <code>(msg: string) =&gt; void</code> |  |
-|  [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md) | <code>(msg: string) =&gt; void</code> |  |
-|  [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md) | <code>(msg: string) =&gt; void</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md)
+
+## SavedObjectsMigrationLogger interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationLogger 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md) | <code>(msg: string) =&gt; void</code> |  |
+|  [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md) | <code>(msg: string) =&gt; void</code> |  |
+|  [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md) | <code>(msg: string) =&gt; void</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
index a87955d603b70..978090f9fc885 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md)
-
-## SavedObjectsMigrationLogger.warning property
-
-<b>Signature:</b>
-
-```typescript
-warning: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md)
+
+## SavedObjectsMigrationLogger.warning property
+
+<b>Signature:</b>
+
+```typescript
+warning: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
index 5e32cf5985a3e..b7f9c8fd8fe98 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md)
-
-## SavedObjectsMigrationVersion interface
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationVersion 
-```
-
-## Example
-
-migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md)
+
+## SavedObjectsMigrationVersion interface
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationVersion 
+```
+
+## Example
+
+migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
index 05f5e93b9a87c..cd16eadf51931 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md)
-
-## SavedObjectsRawDoc.\_id property
-
-<b>Signature:</b>
-
-```typescript
-_id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md)
+
+## SavedObjectsRawDoc.\_id property
+
+<b>Signature:</b>
+
+```typescript
+_id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
index 25bd447013039..c5eef82322f58 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md)
-
-## SavedObjectsRawDoc.\_primary\_term property
-
-<b>Signature:</b>
-
-```typescript
-_primary_term?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md)
+
+## SavedObjectsRawDoc.\_primary\_term property
+
+<b>Signature:</b>
+
+```typescript
+_primary_term?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
index 86f8ce619a709..a3b9a943a708c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md)
-
-## SavedObjectsRawDoc.\_seq\_no property
-
-<b>Signature:</b>
-
-```typescript
-_seq_no?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md)
+
+## SavedObjectsRawDoc.\_seq\_no property
+
+<b>Signature:</b>
+
+```typescript
+_seq_no?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
index dcf207f8120ea..1babaab14f14d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md)
-
-## SavedObjectsRawDoc.\_source property
-
-<b>Signature:</b>
-
-```typescript
-_source: any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md)
+
+## SavedObjectsRawDoc.\_source property
+
+<b>Signature:</b>
+
+```typescript
+_source: any;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
index 5480b401ba6ce..31c40e15b53c0 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md)
-
-## SavedObjectsRawDoc.\_type property
-
-<b>Signature:</b>
-
-```typescript
-_type?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md)
+
+## SavedObjectsRawDoc.\_type property
+
+<b>Signature:</b>
+
+```typescript
+_type?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
index b0130df01817f..5864a85465396 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md)
-
-## SavedObjectsRawDoc interface
-
-A raw document as represented directly in the saved object index.
-
-<b>Signature:</b>
-
-```typescript
-export interface RawDoc 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md) | <code>string</code> |  |
-|  [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md) | <code>number</code> |  |
-|  [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md) | <code>number</code> |  |
-|  [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md) | <code>any</code> |  |
-|  [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md)
+
+## SavedObjectsRawDoc interface
+
+A raw document as represented directly in the saved object index.
+
+<b>Signature:</b>
+
+```typescript
+export interface RawDoc 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md) | <code>string</code> |  |
+|  [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md) | <code>number</code> |  |
+|  [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md) | <code>number</code> |  |
+|  [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md) | <code>any</code> |  |
+|  [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
index dfe9e51e62483..003bc6ac72466 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md)
-
-## SavedObjectsRepository.bulkCreate() method
-
-Creates multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md)
+
+## SavedObjectsRepository.bulkCreate() method
+
+Creates multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
index 34b113bce5410..605984d5dea30 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
@@ -1,31 +1,31 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsrepository.bulkget.md)
-
-## SavedObjectsRepository.bulkGet() method
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkGetObject[]</code> |  |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\] }
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsrepository.bulkget.md)
+
+## SavedObjectsRepository.bulkGet() method
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkGetObject[]</code> |  |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\] }
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
index 23c7a92624957..52a73c83b4c3a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md)
-
-## SavedObjectsRepository.bulkUpdate() method
-
-Updates multiple objects in bulk
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkUpdateResponse<T>>`
-
-{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md)
+
+## SavedObjectsRepository.bulkUpdate() method
+
+Updates multiple objects in bulk
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkUpdateResponse<T>>`
+
+{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
index 29e3c3ab24654..3a731629156e2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [create](./kibana-plugin-server.savedobjectsrepository.create.md)
-
-## SavedObjectsRepository.create() method
-
-Persists an object
-
-<b>Signature:</b>
-
-```typescript
-create<T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
-{<!-- -->promise<!-- -->} - { id, type, version, attributes }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [create](./kibana-plugin-server.savedobjectsrepository.create.md)
+
+## SavedObjectsRepository.create() method
+
+Persists an object
+
+<b>Signature:</b>
+
+```typescript
+create<T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
+{<!-- -->promise<!-- -->} - { id, type, version, attributes }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
index a53f9423ba7e1..52c36d2da162d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [delete](./kibana-plugin-server.savedobjectsrepository.delete.md)
-
-## SavedObjectsRepository.delete() method
-
-Deletes an object
-
-<b>Signature:</b>
-
-```typescript
-delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{}>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [delete](./kibana-plugin-server.savedobjectsrepository.delete.md)
+
+## SavedObjectsRepository.delete() method
+
+Deletes an object
+
+<b>Signature:</b>
+
+```typescript
+delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{}>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
index 364443a3444eb..ab6eb30e664f1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [deleteByNamespace](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md)
-
-## SavedObjectsRepository.deleteByNamespace() method
-
-Deletes all objects from the provided namespace.
-
-<b>Signature:</b>
-
-```typescript
-deleteByNamespace(namespace: string, options?: SavedObjectsDeleteByNamespaceOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  namespace | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteByNamespaceOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
-{<!-- -->promise<!-- -->} - { took, timed\_out, total, deleted, batches, version\_conflicts, noops, retries, failures }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [deleteByNamespace](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md)
+
+## SavedObjectsRepository.deleteByNamespace() method
+
+Deletes all objects from the provided namespace.
+
+<b>Signature:</b>
+
+```typescript
+deleteByNamespace(namespace: string, options?: SavedObjectsDeleteByNamespaceOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  namespace | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteByNamespaceOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
+{<!-- -->promise<!-- -->} - { took, timed\_out, total, deleted, batches, version\_conflicts, noops, retries, failures }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
index dbf6d59e78d85..3c2855ed9a50c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [find](./kibana-plugin-server.savedobjectsrepository.find.md)
-
-## SavedObjectsRepository.find() method
-
-<b>Signature:</b>
-
-```typescript
-find<T extends SavedObjectAttributes = any>({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, }: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  { search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, } | <code>SavedObjectsFindOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsFindResponse<T>>`
-
-{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\], total, per\_page, page }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [find](./kibana-plugin-server.savedobjectsrepository.find.md)
+
+## SavedObjectsRepository.find() method
+
+<b>Signature:</b>
+
+```typescript
+find<T extends SavedObjectAttributes = any>({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, }: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  { search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, } | <code>SavedObjectsFindOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsFindResponse<T>>`
+
+{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\], total, per\_page, page }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
index 930a4647ca175..dd1d81f225937 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [get](./kibana-plugin-server.savedobjectsrepository.get.md)
-
-## SavedObjectsRepository.get() method
-
-Gets a single object
-
-<b>Signature:</b>
-
-```typescript
-get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
-{<!-- -->promise<!-- -->} - { id, type, version, attributes }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [get](./kibana-plugin-server.savedobjectsrepository.get.md)
+
+## SavedObjectsRepository.get() method
+
+Gets a single object
+
+<b>Signature:</b>
+
+```typescript
+get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
+{<!-- -->promise<!-- -->} - { id, type, version, attributes }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
index 6b30a05c1c918..f20e9a73d99a1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
@@ -1,43 +1,43 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [incrementCounter](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md)
-
-## SavedObjectsRepository.incrementCounter() method
-
-Increases a counter field by one. Creates the document if one doesn't exist for the given id.
-
-<b>Signature:</b>
-
-```typescript
-incrementCounter(type: string, id: string, counterFieldName: string, options?: SavedObjectsIncrementCounterOptions): Promise<{
-        id: string;
-        type: string;
-        updated_at: string;
-        references: any;
-        version: string;
-        attributes: any;
-    }>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  counterFieldName | <code>string</code> |  |
-|  options | <code>SavedObjectsIncrementCounterOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{
-        id: string;
-        type: string;
-        updated_at: string;
-        references: any;
-        version: string;
-        attributes: any;
-    }>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [incrementCounter](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md)
+
+## SavedObjectsRepository.incrementCounter() method
+
+Increases a counter field by one. Creates the document if one doesn't exist for the given id.
+
+<b>Signature:</b>
+
+```typescript
+incrementCounter(type: string, id: string, counterFieldName: string, options?: SavedObjectsIncrementCounterOptions): Promise<{
+        id: string;
+        type: string;
+        updated_at: string;
+        references: any;
+        version: string;
+        attributes: any;
+    }>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  counterFieldName | <code>string</code> |  |
+|  options | <code>SavedObjectsIncrementCounterOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{
+        id: string;
+        type: string;
+        updated_at: string;
+        references: any;
+        version: string;
+        attributes: any;
+    }>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
index 156a92047cc78..681b2233a1e87 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
-
-## SavedObjectsRepository class
-
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsRepository 
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md) |  | Creates multiple documents at once |
-|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkget.md) |  | Returns an array of objects by id |
-|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md) |  | Updates multiple objects in bulk |
-|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsrepository.create.md) |  | Persists an object |
-|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsrepository.delete.md) |  | Deletes an object |
-|  [deleteByNamespace(namespace, options)](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md) |  | Deletes all objects from the provided namespace. |
-|  [find({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, })](./kibana-plugin-server.savedobjectsrepository.find.md) |  |  |
-|  [get(type, id, options)](./kibana-plugin-server.savedobjectsrepository.get.md) |  | Gets a single object |
-|  [incrementCounter(type, id, counterFieldName, options)](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md) |  | Increases a counter field by one. Creates the document if one doesn't exist for the given id. |
-|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsrepository.update.md) |  | Updates an object |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
+
+## SavedObjectsRepository class
+
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsRepository 
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md) |  | Creates multiple documents at once |
+|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkget.md) |  | Returns an array of objects by id |
+|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md) |  | Updates multiple objects in bulk |
+|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsrepository.create.md) |  | Persists an object |
+|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsrepository.delete.md) |  | Deletes an object |
+|  [deleteByNamespace(namespace, options)](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md) |  | Deletes all objects from the provided namespace. |
+|  [find({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, })](./kibana-plugin-server.savedobjectsrepository.find.md) |  |  |
+|  [get(type, id, options)](./kibana-plugin-server.savedobjectsrepository.get.md) |  | Gets a single object |
+|  [incrementCounter(type, id, counterFieldName, options)](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md) |  | Increases a counter field by one. Creates the document if one doesn't exist for the given id. |
+|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsrepository.update.md) |  | Updates an object |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
index 5e9f69ecc567b..15890ab9211aa 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [update](./kibana-plugin-server.savedobjectsrepository.update.md)
-
-## SavedObjectsRepository.update() method
-
-Updates an object
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>Partial&lt;T&gt;</code> |  |
-|  options | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsUpdateResponse<T>>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [update](./kibana-plugin-server.savedobjectsrepository.update.md)
+
+## SavedObjectsRepository.update() method
+
+Updates an object
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>Partial&lt;T&gt;</code> |  |
+|  options | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsUpdateResponse<T>>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
index b808d38793fff..9be1583c3e254 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md)
-
-## SavedObjectsRepositoryFactory.createInternalRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md)
+
+## SavedObjectsRepositoryFactory.createInternalRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
index 20322d809dce7..5dd9bb05f1fbe 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md)
-
-## SavedObjectsRepositoryFactory.createScopedRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md)
+
+## SavedObjectsRepositoryFactory.createScopedRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
index fc6c4a516284a..62bcb2d10363e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md)
-
-## SavedObjectsRepositoryFactory interface
-
-Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsRepositoryFactory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
-|  [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md)
+
+## SavedObjectsRepositoryFactory interface
+
+Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsRepositoryFactory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
+|  [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
index 8ed978d4a2639..e3542714d96bb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md)
-
-## SavedObjectsResolveImportErrorsOptions interface
-
-Options to control the "resolve import" operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsResolveImportErrorsOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md) | <code>string</code> |  |
-|  [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md) | <code>number</code> |  |
-|  [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md) | <code>Readable</code> |  |
-|  [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md) | <code>SavedObjectsImportRetry[]</code> |  |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
-|  [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md)
+
+## SavedObjectsResolveImportErrorsOptions interface
+
+Options to control the "resolve import" operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsResolveImportErrorsOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md) | <code>string</code> |  |
+|  [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md) | <code>number</code> |  |
+|  [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md) | <code>Readable</code> |  |
+|  [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md) | <code>SavedObjectsImportRetry[]</code> |  |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
+|  [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
index b88f124545bd5..6175e75a4bbec 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md)
-
-## SavedObjectsResolveImportErrorsOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md)
+
+## SavedObjectsResolveImportErrorsOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
index a2753ceccc36f..d5616851e1386 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md)
-
-## SavedObjectsResolveImportErrorsOptions.objectLimit property
-
-<b>Signature:</b>
-
-```typescript
-objectLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md)
+
+## SavedObjectsResolveImportErrorsOptions.objectLimit property
+
+<b>Signature:</b>
+
+```typescript
+objectLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
index e7a31deed6faa..e4b5d92d7b05a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md)
-
-## SavedObjectsResolveImportErrorsOptions.readStream property
-
-<b>Signature:</b>
-
-```typescript
-readStream: Readable;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md)
+
+## SavedObjectsResolveImportErrorsOptions.readStream property
+
+<b>Signature:</b>
+
+```typescript
+readStream: Readable;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
index 658aa64cfc33f..7dc825f762fe9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md)
-
-## SavedObjectsResolveImportErrorsOptions.retries property
-
-<b>Signature:</b>
-
-```typescript
-retries: SavedObjectsImportRetry[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md)
+
+## SavedObjectsResolveImportErrorsOptions.retries property
+
+<b>Signature:</b>
+
+```typescript
+retries: SavedObjectsImportRetry[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
index 8a8c620b2cf21..ae5edc98d3a9e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md)
-
-## SavedObjectsResolveImportErrorsOptions.savedObjectsClient property
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md)
+
+## SavedObjectsResolveImportErrorsOptions.savedObjectsClient property
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
index 9cc97c34669b7..5a92a8d0a9936 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md)
-
-## SavedObjectsResolveImportErrorsOptions.supportedTypes property
-
-<b>Signature:</b>
-
-```typescript
-supportedTypes: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md)
+
+## SavedObjectsResolveImportErrorsOptions.supportedTypes property
+
+<b>Signature:</b>
+
+```typescript
+supportedTypes: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
index becff5bd2821e..769be031eca06 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md)
-
-## SavedObjectsServiceSetup.addClientWrapper property
-
-Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority.
-
-<b>Signature:</b>
-
-```typescript
-addClientWrapper: (priority: number, id: string, factory: SavedObjectsClientWrapperFactory) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md)
+
+## SavedObjectsServiceSetup.addClientWrapper property
+
+Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority.
+
+<b>Signature:</b>
+
+```typescript
+addClientWrapper: (priority: number, id: string, factory: SavedObjectsClientWrapperFactory) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
index 64fb1f4a5f638..2c421f7fc13a7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
@@ -1,33 +1,33 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
-
-## SavedObjectsServiceSetup interface
-
-Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsServiceSetup 
-```
-
-## Remarks
-
-Note: The Saved Object setup API's should only be used for creating and registering client wrappers. Constructing a Saved Objects client or repository for use within your own plugin won't have any of the registered wrappers applied and is considered an anti-pattern. Use the Saved Objects client from the [SavedObjectsServiceStart\#getScopedClient](./kibana-plugin-server.savedobjectsservicestart.md) method or the [route handler context](./kibana-plugin-server.requesthandlercontext.md) instead.
-
-When plugins access the Saved Objects client, a new client is created using the factory provided to `setClientFactory` and wrapped by all wrappers registered through `addClientWrapper`<!-- -->. To create a factory or wrapper, plugins will have to construct a Saved Objects client. First create a repository by calling `scopedRepository` or `internalRepository` and then use this repository as the argument to the [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) constructor.
-
-## Example
-
-import { SavedObjectsClient, CoreSetup } from 'src/core/server';
-
-export class Plugin() { setup: (core: CoreSetup) =<!-- -->&gt; { core.savedObjects.setClientFactory((<!-- -->{ request: KibanaRequest }<!-- -->) =<!-- -->&gt; { return new SavedObjectsClient(core.savedObjects.scopedRepository(request)); }<!-- -->) } }
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md) | <code>(priority: number, id: string, factory: SavedObjectsClientWrapperFactory) =&gt; void</code> | Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority. |
-|  [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) | <code>(clientFactoryProvider: SavedObjectsClientFactoryProvider) =&gt; void</code> | Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
+
+## SavedObjectsServiceSetup interface
+
+Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsServiceSetup 
+```
+
+## Remarks
+
+Note: The Saved Object setup API's should only be used for creating and registering client wrappers. Constructing a Saved Objects client or repository for use within your own plugin won't have any of the registered wrappers applied and is considered an anti-pattern. Use the Saved Objects client from the [SavedObjectsServiceStart\#getScopedClient](./kibana-plugin-server.savedobjectsservicestart.md) method or the [route handler context](./kibana-plugin-server.requesthandlercontext.md) instead.
+
+When plugins access the Saved Objects client, a new client is created using the factory provided to `setClientFactory` and wrapped by all wrappers registered through `addClientWrapper`<!-- -->. To create a factory or wrapper, plugins will have to construct a Saved Objects client. First create a repository by calling `scopedRepository` or `internalRepository` and then use this repository as the argument to the [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) constructor.
+
+## Example
+
+import { SavedObjectsClient, CoreSetup } from 'src/core/server';
+
+export class Plugin() { setup: (core: CoreSetup) =<!-- -->&gt; { core.savedObjects.setClientFactory((<!-- -->{ request: KibanaRequest }<!-- -->) =<!-- -->&gt; { return new SavedObjectsClient(core.savedObjects.scopedRepository(request)); }<!-- -->) } }
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md) | <code>(priority: number, id: string, factory: SavedObjectsClientWrapperFactory) =&gt; void</code> | Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority. |
+|  [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) | <code>(clientFactoryProvider: SavedObjectsClientFactoryProvider) =&gt; void</code> | Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
index ed11255048f19..5b57495198edc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
-
-## SavedObjectsServiceSetup.setClientFactoryProvider property
-
-Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail.
-
-<b>Signature:</b>
-
-```typescript
-setClientFactoryProvider: (clientFactoryProvider: SavedObjectsClientFactoryProvider) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
+
+## SavedObjectsServiceSetup.setClientFactoryProvider property
+
+Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail.
+
+<b>Signature:</b>
+
+```typescript
+setClientFactoryProvider: (clientFactoryProvider: SavedObjectsClientFactoryProvider) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
index d639a8bc66b7e..c33e1750224d7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md)
-
-## SavedObjectsServiceStart.createInternalRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md)
+
+## SavedObjectsServiceStart.createInternalRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
index 7683a9e46c51d..e562f7f4e7569 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md)
-
-## SavedObjectsServiceStart.createScopedRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
-```
-
-## Remarks
-
-Prefer using `getScopedClient`<!-- -->. This should only be used when using methods not exposed on [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md)
+
+## SavedObjectsServiceStart.createScopedRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
+```
+
+## Remarks
+
+Prefer using `getScopedClient`<!-- -->. This should only be used when using methods not exposed on [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
index 341906856e342..e87979a124bdc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md)
-
-## SavedObjectsServiceStart.getScopedClient property
-
-Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.
-
-A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-getScopedClient: (req: KibanaRequest, options?: SavedObjectsClientProviderOptions) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md)
+
+## SavedObjectsServiceStart.getScopedClient property
+
+Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.
+
+A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+getScopedClient: (req: KibanaRequest, options?: SavedObjectsClientProviderOptions) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
index cf2b4f57a7461..7e4b1fd9158e6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
-
-## SavedObjectsServiceStart interface
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
-|  [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
-|  [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md) | <code>(req: KibanaRequest, options?: SavedObjectsClientProviderOptions) =&gt; SavedObjectsClientContract</code> | Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.<!-- -->A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
+
+## SavedObjectsServiceStart interface
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
+|  [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
+|  [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md) | <code>(req: KibanaRequest, options?: SavedObjectsClientProviderOptions) =&gt; SavedObjectsClientContract</code> | Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.<!-- -->A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
index 8850bd1b6482f..49e8946ad2826 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md)
-
-## SavedObjectsUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-|  [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md)
+
+## SavedObjectsUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+|  [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
index 7a9ba971d05f6..76eca68dba37f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md)
-
-## SavedObjectsUpdateOptions.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md)
+
+## SavedObjectsUpdateOptions.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
index faad283715901..bb1142c242012 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md)
-
-## SavedObjectsUpdateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md)
+
+## SavedObjectsUpdateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
index c9c37e0184cb9..6e399b343556b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md)
-
-## SavedObjectsUpdateOptions.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md)
+
+## SavedObjectsUpdateOptions.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
index 961bb56e33557..7d1edb3bb6594 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md)
-
-## SavedObjectsUpdateResponse.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: Partial<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md)
+
+## SavedObjectsUpdateResponse.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: Partial<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
index 64c9037735358..0731ff5549bd4 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md)
-
-## SavedObjectsUpdateResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateResponse<T extends SavedObjectAttributes = any> extends Omit<SavedObject<T>, 'attributes' | 'references'> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md) | <code>Partial&lt;T&gt;</code> |  |
-|  [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md) | <code>SavedObjectReference[] &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md)
+
+## SavedObjectsUpdateResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateResponse<T extends SavedObjectAttributes = any> extends Omit<SavedObject<T>, 'attributes' | 'references'> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md) | <code>Partial&lt;T&gt;</code> |  |
+|  [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md) | <code>SavedObjectReference[] &#124; undefined</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
index aa2aac98696e3..26e33694b943c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md)
-
-## SavedObjectsUpdateResponse.references property
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[] | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md)
+
+## SavedObjectsUpdateResponse.references property
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[] | undefined;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.scopeablerequest.md b/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
index d7d829e37d805..5a9443376996d 100644
--- a/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
+++ b/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md)
-
-## ScopeableRequest type
-
-A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.
-
-See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ScopeableRequest = KibanaRequest | LegacyRequest | FakeRequest;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md)
+
+## ScopeableRequest type
+
+A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.
+
+See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ScopeableRequest = KibanaRequest | LegacyRequest | FakeRequest;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
index e592772a60e1c..c9f22356afc3c 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [(constructor)](./kibana-plugin-server.scopedclusterclient._constructor_.md)
-
-## ScopedClusterClient.(constructor)
-
-Constructs a new instance of the `ScopedClusterClient` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(internalAPICaller: APICaller, scopedAPICaller: APICaller, headers?: Headers | undefined);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  internalAPICaller | <code>APICaller</code> |  |
-|  scopedAPICaller | <code>APICaller</code> |  |
-|  headers | <code>Headers &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [(constructor)](./kibana-plugin-server.scopedclusterclient._constructor_.md)
+
+## ScopedClusterClient.(constructor)
+
+Constructs a new instance of the `ScopedClusterClient` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(internalAPICaller: APICaller, scopedAPICaller: APICaller, headers?: Headers | undefined);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  internalAPICaller | <code>APICaller</code> |  |
+|  scopedAPICaller | <code>APICaller</code> |  |
+|  headers | <code>Headers &#124; undefined</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
index 5af2f7ca79ccb..1f53270042185 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsCurrentUser](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md)
-
-## ScopedClusterClient.callAsCurrentUser() method
-
-Calls specified `endpoint` with provided `clientParams` on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsCurrentUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
-|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
-|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsCurrentUser](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md)
+
+## ScopedClusterClient.callAsCurrentUser() method
+
+Calls specified `endpoint` with provided `clientParams` on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsCurrentUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
+|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
+|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
index 89d343338e7b5..7249af7b429e4 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md)
-
-## ScopedClusterClient.callAsInternalUser() method
-
-Calls specified `endpoint` with provided `clientParams` on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsInternalUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
-|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
-|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md)
+
+## ScopedClusterClient.callAsInternalUser() method
+
+Calls specified `endpoint` with provided `clientParams` on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsInternalUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
+|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
+|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
index 4c1854b61be85..dcbf869bc9360 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)
-
-## ScopedClusterClient class
-
-Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
-
-See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ScopedClusterClient implements IScopedClusterClient 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(internalAPICaller, scopedAPICaller, headers)](./kibana-plugin-server.scopedclusterclient._constructor_.md) |  | Constructs a new instance of the <code>ScopedClusterClient</code> class |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [callAsCurrentUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-|  [callAsInternalUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)
+
+## ScopedClusterClient class
+
+Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
+
+See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ScopedClusterClient implements IScopedClusterClient 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(internalAPICaller, scopedAPICaller, headers)](./kibana-plugin-server.scopedclusterclient._constructor_.md) |  | Constructs a new instance of the <code>ScopedClusterClient</code> class |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [callAsCurrentUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+|  [callAsInternalUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
index 297bc4e5f3aee..6e5f6acca2eb9 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md)
-
-## SessionCookieValidationResult.isValid property
-
-Whether the cookie is valid or not.
-
-<b>Signature:</b>
-
-```typescript
-isValid: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md)
+
+## SessionCookieValidationResult.isValid property
+
+Whether the cookie is valid or not.
+
+<b>Signature:</b>
+
+```typescript
+isValid: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
index 4dbeb5603c155..6d32c4cca3dd6 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md)
-
-## SessionCookieValidationResult interface
-
-Return type from a function to validate cookie contents.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionCookieValidationResult 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md) | <code>boolean</code> | Whether the cookie is valid or not. |
-|  [path](./kibana-plugin-server.sessioncookievalidationresult.path.md) | <code>string</code> | The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md)
+
+## SessionCookieValidationResult interface
+
+Return type from a function to validate cookie contents.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionCookieValidationResult 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md) | <code>boolean</code> | Whether the cookie is valid or not. |
+|  [path](./kibana-plugin-server.sessioncookievalidationresult.path.md) | <code>string</code> | The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
index bab8444849786..8ca6d452213aa 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [path](./kibana-plugin-server.sessioncookievalidationresult.path.md)
-
-## SessionCookieValidationResult.path property
-
-The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it.
-
-<b>Signature:</b>
-
-```typescript
-path?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [path](./kibana-plugin-server.sessioncookievalidationresult.path.md)
+
+## SessionCookieValidationResult.path property
+
+The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it.
+
+<b>Signature:</b>
+
+```typescript
+path?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
index cfb92812af94f..1f5813e181548 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [clear](./kibana-plugin-server.sessionstorage.clear.md)
-
-## SessionStorage.clear() method
-
-Clears current session.
-
-<b>Signature:</b>
-
-```typescript
-clear(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [clear](./kibana-plugin-server.sessionstorage.clear.md)
+
+## SessionStorage.clear() method
+
+Clears current session.
+
+<b>Signature:</b>
+
+```typescript
+clear(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
index d3459de75638d..26c63884ee71a 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [get](./kibana-plugin-server.sessionstorage.get.md)
-
-## SessionStorage.get() method
-
-Retrieves session value from the session storage.
-
-<b>Signature:</b>
-
-```typescript
-get(): Promise<T | null>;
-```
-<b>Returns:</b>
-
-`Promise<T | null>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [get](./kibana-plugin-server.sessionstorage.get.md)
+
+## SessionStorage.get() method
+
+Retrieves session value from the session storage.
+
+<b>Signature:</b>
+
+```typescript
+get(): Promise<T | null>;
+```
+<b>Returns:</b>
+
+`Promise<T | null>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.md
index e721357032436..02e48c1dd3dc4 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md)
-
-## SessionStorage interface
-
-Provides an interface to store and retrieve data across requests.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorage<T> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [clear()](./kibana-plugin-server.sessionstorage.clear.md) | Clears current session. |
-|  [get()](./kibana-plugin-server.sessionstorage.get.md) | Retrieves session value from the session storage. |
-|  [set(sessionValue)](./kibana-plugin-server.sessionstorage.set.md) | Puts current session value into the session storage. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md)
+
+## SessionStorage interface
+
+Provides an interface to store and retrieve data across requests.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorage<T> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [clear()](./kibana-plugin-server.sessionstorage.clear.md) | Clears current session. |
+|  [get()](./kibana-plugin-server.sessionstorage.get.md) | Retrieves session value from the session storage. |
+|  [set(sessionValue)](./kibana-plugin-server.sessionstorage.set.md) | Puts current session value into the session storage. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
index 40d1c373d2a71..7e3a2a4361244 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [set](./kibana-plugin-server.sessionstorage.set.md)
-
-## SessionStorage.set() method
-
-Puts current session value into the session storage.
-
-<b>Signature:</b>
-
-```typescript
-set(sessionValue: T): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  sessionValue | <code>T</code> | value to put |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [set](./kibana-plugin-server.sessionstorage.set.md)
+
+## SessionStorage.set() method
+
+Puts current session value into the session storage.
+
+<b>Signature:</b>
+
+```typescript
+set(sessionValue: T): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  sessionValue | <code>T</code> | value to put |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
index ddaa0adff3570..ef65735e7bdba 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md)
-
-## SessionStorageCookieOptions.encryptionKey property
-
-A key used to encrypt a cookie's value. Should be at least 32 characters long.
-
-<b>Signature:</b>
-
-```typescript
-encryptionKey: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md)
+
+## SessionStorageCookieOptions.encryptionKey property
+
+A key used to encrypt a cookie's value. Should be at least 32 characters long.
+
+<b>Signature:</b>
+
+```typescript
+encryptionKey: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
index 7153bc0730926..824fc9d136a3f 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md)
-
-## SessionStorageCookieOptions.isSecure property
-
-Flag indicating whether the cookie should be sent only via a secure connection.
-
-<b>Signature:</b>
-
-```typescript
-isSecure: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md)
+
+## SessionStorageCookieOptions.isSecure property
+
+Flag indicating whether the cookie should be sent only via a secure connection.
+
+<b>Signature:</b>
+
+```typescript
+isSecure: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
index 6b058864a4d9c..778dc27a190d9 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md)
-
-## SessionStorageCookieOptions interface
-
-Configuration used to create HTTP session storage based on top of cookie mechanism.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorageCookieOptions<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md) | <code>string</code> | A key used to encrypt a cookie's value. Should be at least 32 characters long. |
-|  [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md) | <code>boolean</code> | Flag indicating whether the cookie should be sent only via a secure connection. |
-|  [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md) | <code>string</code> | Name of the session cookie. |
-|  [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md) | <code>(sessionValue: T &#124; T[]) =&gt; SessionCookieValidationResult</code> | Function called to validate a cookie's decrypted value. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md)
+
+## SessionStorageCookieOptions interface
+
+Configuration used to create HTTP session storage based on top of cookie mechanism.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorageCookieOptions<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md) | <code>string</code> | A key used to encrypt a cookie's value. Should be at least 32 characters long. |
+|  [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md) | <code>boolean</code> | Flag indicating whether the cookie should be sent only via a secure connection. |
+|  [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md) | <code>string</code> | Name of the session cookie. |
+|  [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md) | <code>(sessionValue: T &#124; T[]) =&gt; SessionCookieValidationResult</code> | Function called to validate a cookie's decrypted value. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
index 673f3c4f2d422..e6bc7ea3fe00f 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md)
-
-## SessionStorageCookieOptions.name property
-
-Name of the session cookie.
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md)
+
+## SessionStorageCookieOptions.name property
+
+Name of the session cookie.
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
index e59f4d910305e..effa4b6bbc077 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md)
-
-## SessionStorageCookieOptions.validate property
-
-Function called to validate a cookie's decrypted value.
-
-<b>Signature:</b>
-
-```typescript
-validate: (sessionValue: T | T[]) => SessionCookieValidationResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md)
+
+## SessionStorageCookieOptions.validate property
+
+Function called to validate a cookie's decrypted value.
+
+<b>Signature:</b>
+
+```typescript
+validate: (sessionValue: T | T[]) => SessionCookieValidationResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
index 4a42a52e56bd0..fcc5b90e2dd0c 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) &gt; [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md)
-
-## SessionStorageFactory.asScoped property
-
-<b>Signature:</b>
-
-```typescript
-asScoped: (request: KibanaRequest) => SessionStorage<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) &gt; [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md)
+
+## SessionStorageFactory.asScoped property
+
+<b>Signature:</b>
+
+```typescript
+asScoped: (request: KibanaRequest) => SessionStorage<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
index a5b4ebdf5b8cd..eb559005575b1 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
-
-## SessionStorageFactory interface
-
-SessionStorage factory to bind one to an incoming request
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorageFactory<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md) | <code>(request: KibanaRequest) =&gt; SessionStorage&lt;T&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
+
+## SessionStorageFactory interface
+
+SessionStorage factory to bind one to an incoming request
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorageFactory<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md) | <code>(request: KibanaRequest) =&gt; SessionStorage&lt;T&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md b/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
index f5329824ad7f6..418d406d4c890 100644
--- a/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md)
-
-## SharedGlobalConfig type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type SharedGlobalConfig = RecursiveReadonly<{
-    kibana: Pick<KibanaConfigType, typeof SharedGlobalConfigKeys.kibana[number]>;
-    elasticsearch: Pick<ElasticsearchConfigType, typeof SharedGlobalConfigKeys.elasticsearch[number]>;
-    path: Pick<PathConfigType, typeof SharedGlobalConfigKeys.path[number]>;
-}>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md)
+
+## SharedGlobalConfig type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type SharedGlobalConfig = RecursiveReadonly<{
+    kibana: Pick<KibanaConfigType, typeof SharedGlobalConfigKeys.kibana[number]>;
+    elasticsearch: Pick<ElasticsearchConfigType, typeof SharedGlobalConfigKeys.elasticsearch[number]>;
+    path: Pick<PathConfigType, typeof SharedGlobalConfigKeys.path[number]>;
+}>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidation.md b/docs/development/core/server/kibana-plugin-server.stringvalidation.md
index 7da69b141d82c..0e396f2972c44 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidation.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidation](./kibana-plugin-server.stringvalidation.md)
-
-## StringValidation type
-
-Allows regex objects or a regex string
-
-<b>Signature:</b>
-
-```typescript
-export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidation](./kibana-plugin-server.stringvalidation.md)
+
+## StringValidation type
+
+Allows regex objects or a regex string
+
+<b>Signature:</b>
+
+```typescript
+export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
index b082978c4ee65..46d196ea8e03f 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md)
-
-## StringValidationRegex interface
-
-StringValidation with regex object
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegex 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.stringvalidationregex.message.md) | <code>string</code> |  |
-|  [regex](./kibana-plugin-server.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md)
+
+## StringValidationRegex interface
+
+StringValidation with regex object
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegex 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.stringvalidationregex.message.md) | <code>string</code> |  |
+|  [regex](./kibana-plugin-server.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
index 66197813b2be4..383b1f6d8873c 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [message](./kibana-plugin-server.stringvalidationregex.message.md)
-
-## StringValidationRegex.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [message](./kibana-plugin-server.stringvalidationregex.message.md)
+
+## StringValidationRegex.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
index 4e295791454f9..69a96a0489503 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [regex](./kibana-plugin-server.stringvalidationregex.regex.md)
-
-## StringValidationRegex.regex property
-
-<b>Signature:</b>
-
-```typescript
-regex: RegExp;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [regex](./kibana-plugin-server.stringvalidationregex.regex.md)
+
+## StringValidationRegex.regex property
+
+<b>Signature:</b>
+
+```typescript
+regex: RegExp;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
index 6bd23b999a7c3..d76cb94fdd1a1 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md)
-
-## StringValidationRegexString interface
-
-StringValidation as regex string
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegexString 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.stringvalidationregexstring.message.md) | <code>string</code> |  |
-|  [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md)
+
+## StringValidationRegexString interface
+
+StringValidation as regex string
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegexString 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.stringvalidationregexstring.message.md) | <code>string</code> |  |
+|  [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
index 96d1f1980eff9..361dfe788b852 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-server.stringvalidationregexstring.message.md)
-
-## StringValidationRegexString.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-server.stringvalidationregexstring.message.md)
+
+## StringValidationRegexString.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
index 61a0d53dcc511..203cc7e7a0aad 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md)
-
-## StringValidationRegexString.regexString property
-
-<b>Signature:</b>
-
-```typescript
-regexString: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md)
+
+## StringValidationRegexString.regexString property
+
+<b>Signature:</b>
+
+```typescript
+regexString: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
index 3754bc01103d6..6bf1b17dc947a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [category](./kibana-plugin-server.uisettingsparams.category.md)
-
-## UiSettingsParams.category property
-
-used to group the configured setting in the UI
-
-<b>Signature:</b>
-
-```typescript
-category?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [category](./kibana-plugin-server.uisettingsparams.category.md)
+
+## UiSettingsParams.category property
+
+used to group the configured setting in the UI
+
+<b>Signature:</b>
+
+```typescript
+category?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
index 4581f09864226..7ad26b85bf81c 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md)
-
-## UiSettingsParams.deprecation property
-
-optional deprecation information. Used to generate a deprecation warning.
-
-<b>Signature:</b>
-
-```typescript
-deprecation?: DeprecationSettings;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md)
+
+## UiSettingsParams.deprecation property
+
+optional deprecation information. Used to generate a deprecation warning.
+
+<b>Signature:</b>
+
+```typescript
+deprecation?: DeprecationSettings;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
index 783c8ddde1d5e..6a203629f5425 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [description](./kibana-plugin-server.uisettingsparams.description.md)
-
-## UiSettingsParams.description property
-
-description provided to a user in UI
-
-<b>Signature:</b>
-
-```typescript
-description?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [description](./kibana-plugin-server.uisettingsparams.description.md)
+
+## UiSettingsParams.description property
+
+description provided to a user in UI
+
+<b>Signature:</b>
+
+```typescript
+description?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
index 3e20f4744ee51..fc2f8038f973f 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
-
-## UiSettingsParams interface
-
-UiSettings parameters defined by the plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-server.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
-|  [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
-|  [description](./kibana-plugin-server.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
-|  [name](./kibana-plugin-server.uisettingsparams.name.md) | <code>string</code> | title in the UI |
-|  [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
-|  [options](./kibana-plugin-server.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
-|  [readonly](./kibana-plugin-server.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
-|  [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
-|  [type](./kibana-plugin-server.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md) |
-|  [validation](./kibana-plugin-server.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
-|  [value](./kibana-plugin-server.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
+
+## UiSettingsParams interface
+
+UiSettings parameters defined by the plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-server.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
+|  [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
+|  [description](./kibana-plugin-server.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
+|  [name](./kibana-plugin-server.uisettingsparams.name.md) | <code>string</code> | title in the UI |
+|  [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
+|  [options](./kibana-plugin-server.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
+|  [readonly](./kibana-plugin-server.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
+|  [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
+|  [type](./kibana-plugin-server.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md) |
+|  [validation](./kibana-plugin-server.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
+|  [value](./kibana-plugin-server.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
index f445d970fe0b2..07905ca7de20a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [name](./kibana-plugin-server.uisettingsparams.name.md)
-
-## UiSettingsParams.name property
-
-title in the UI
-
-<b>Signature:</b>
-
-```typescript
-name?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [name](./kibana-plugin-server.uisettingsparams.name.md)
+
+## UiSettingsParams.name property
+
+title in the UI
+
+<b>Signature:</b>
+
+```typescript
+name?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
index 7f970cfd474fc..cb0e196fdcacc 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md)
-
-## UiSettingsParams.optionLabels property
-
-text labels for 'select' type UI element
-
-<b>Signature:</b>
-
-```typescript
-optionLabels?: Record<string, string>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md)
+
+## UiSettingsParams.optionLabels property
+
+text labels for 'select' type UI element
+
+<b>Signature:</b>
+
+```typescript
+optionLabels?: Record<string, string>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
index d25043623a6da..2220feab74ffd 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [options](./kibana-plugin-server.uisettingsparams.options.md)
-
-## UiSettingsParams.options property
-
-array of permitted values for this setting
-
-<b>Signature:</b>
-
-```typescript
-options?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [options](./kibana-plugin-server.uisettingsparams.options.md)
+
+## UiSettingsParams.options property
+
+array of permitted values for this setting
+
+<b>Signature:</b>
+
+```typescript
+options?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
index 276b965ec128a..faec4d6eadbcc 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [readonly](./kibana-plugin-server.uisettingsparams.readonly.md)
-
-## UiSettingsParams.readonly property
-
-a flag indicating that value cannot be changed
-
-<b>Signature:</b>
-
-```typescript
-readonly?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [readonly](./kibana-plugin-server.uisettingsparams.readonly.md)
+
+## UiSettingsParams.readonly property
+
+a flag indicating that value cannot be changed
+
+<b>Signature:</b>
+
+```typescript
+readonly?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
index 7d6ce9ef8b233..224b3695224b9 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md)
-
-## UiSettingsParams.requiresPageReload property
-
-a flag indicating whether new value applying requires page reloading
-
-<b>Signature:</b>
-
-```typescript
-requiresPageReload?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md)
+
+## UiSettingsParams.requiresPageReload property
+
+a flag indicating whether new value applying requires page reloading
+
+<b>Signature:</b>
+
+```typescript
+requiresPageReload?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
index b66483cf4624a..ccf2d67b2dffb 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [type](./kibana-plugin-server.uisettingsparams.type.md)
-
-## UiSettingsParams.type property
-
-defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
-
-<b>Signature:</b>
-
-```typescript
-type?: UiSettingsType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [type](./kibana-plugin-server.uisettingsparams.type.md)
+
+## UiSettingsParams.type property
+
+defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
+
+<b>Signature:</b>
+
+```typescript
+type?: UiSettingsType;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
index ee0a9d6c86540..f097f36e999ba 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [validation](./kibana-plugin-server.uisettingsparams.validation.md)
-
-## UiSettingsParams.validation property
-
-<b>Signature:</b>
-
-```typescript
-validation?: ImageValidation | StringValidation;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [validation](./kibana-plugin-server.uisettingsparams.validation.md)
+
+## UiSettingsParams.validation property
+
+<b>Signature:</b>
+
+```typescript
+validation?: ImageValidation | StringValidation;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
index 256d72b2cbf2f..397498ccf5c11 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [value](./kibana-plugin-server.uisettingsparams.value.md)
-
-## UiSettingsParams.value property
-
-default value to fall back to if a user doesn't provide any
-
-<b>Signature:</b>
-
-```typescript
-value?: SavedObjectAttribute;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [value](./kibana-plugin-server.uisettingsparams.value.md)
+
+## UiSettingsParams.value property
+
+default value to fall back to if a user doesn't provide any
+
+<b>Signature:</b>
+
+```typescript
+value?: SavedObjectAttribute;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
index 78f5c2a7dd03a..8dde78f633d88 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
-
-## UiSettingsServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsServiceSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [register(settings)](./kibana-plugin-server.uisettingsservicesetup.register.md) | Sets settings with default values for the uiSettings. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
+
+## UiSettingsServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsServiceSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [register(settings)](./kibana-plugin-server.uisettingsservicesetup.register.md) | Sets settings with default values for the uiSettings. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
index 366888ed2ce18..0047b5275408e 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
@@ -1,40 +1,40 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) &gt; [register](./kibana-plugin-server.uisettingsservicesetup.register.md)
-
-## UiSettingsServiceSetup.register() method
-
-Sets settings with default values for the uiSettings.
-
-<b>Signature:</b>
-
-```typescript
-register(settings: Record<string, UiSettingsParams>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  settings | <code>Record&lt;string, UiSettingsParams&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-
-```ts
-setup(core: CoreSetup){
- core.uiSettings.register([{
-  foo: {
-   name: i18n.translate('my foo settings'),
-   value: true,
-   description: 'add some awesomeness',
-  },
- }]);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) &gt; [register](./kibana-plugin-server.uisettingsservicesetup.register.md)
+
+## UiSettingsServiceSetup.register() method
+
+Sets settings with default values for the uiSettings.
+
+<b>Signature:</b>
+
+```typescript
+register(settings: Record<string, UiSettingsParams>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  settings | <code>Record&lt;string, UiSettingsParams&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+
+```ts
+setup(core: CoreSetup){
+ core.uiSettings.register([{
+  foo: {
+   name: i18n.translate('my foo settings'),
+   value: true,
+   description: 'add some awesomeness',
+  },
+ }]);
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
index 9e202d15a1beb..072dd39faa084 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) &gt; [asScopedToClient](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md)
-
-## UiSettingsServiceStart.asScopedToClient() method
-
-Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.
-
-This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asScopedToClient(savedObjectsClient: SavedObjectsClientContract): IUiSettingsClient;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  savedObjectsClient | <code>SavedObjectsClientContract</code> |  |
-
-<b>Returns:</b>
-
-`IUiSettingsClient`
-
-## Example
-
-
-```ts
-start(core: CoreStart) {
- const soClient = core.savedObjects.getScopedClient(arbitraryRequest);
- const uiSettingsClient = core.uiSettings.asScopedToClient(soClient);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) &gt; [asScopedToClient](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md)
+
+## UiSettingsServiceStart.asScopedToClient() method
+
+Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.
+
+This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asScopedToClient(savedObjectsClient: SavedObjectsClientContract): IUiSettingsClient;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  savedObjectsClient | <code>SavedObjectsClientContract</code> |  |
+
+<b>Returns:</b>
+
+`IUiSettingsClient`
+
+## Example
+
+
+```ts
+start(core: CoreStart) {
+ const soClient = core.savedObjects.getScopedClient(arbitraryRequest);
+ const uiSettingsClient = core.uiSettings.asScopedToClient(soClient);
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
index e4375303a1b3d..ee3563552275a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
-
-## UiSettingsServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsServiceStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [asScopedToClient(savedObjectsClient)](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md) | Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.<!-- -->This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
+
+## UiSettingsServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsServiceStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [asScopedToClient(savedObjectsClient)](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md) | Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.<!-- -->This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingstype.md b/docs/development/core/server/kibana-plugin-server.uisettingstype.md
index 09fb43e974d9b..b78932aecc724 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingstype.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingstype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
-
-## UiSettingsType type
-
-UI element type to represent the settings.
-
-<b>Signature:</b>
-
-```typescript
-export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
+
+## UiSettingsType type
+
+UI element type to represent the settings.
+
+<b>Signature:</b>
+
+```typescript
+export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
index 304999f911fa4..01e04b490595d 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md)
-
-## UserProvidedValues.isOverridden property
-
-<b>Signature:</b>
-
-```typescript
-isOverridden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md)
+
+## UserProvidedValues.isOverridden property
+
+<b>Signature:</b>
+
+```typescript
+isOverridden?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
index e00672070bba8..e0f5f7fadd12f 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md)
-
-## UserProvidedValues interface
-
-Describes the values explicitly set by user.
-
-<b>Signature:</b>
-
-```typescript
-export interface UserProvidedValues<T = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
-|  [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md) | <code>T</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md)
+
+## UserProvidedValues interface
+
+Describes the values explicitly set by user.
+
+<b>Signature:</b>
+
+```typescript
+export interface UserProvidedValues<T = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
+|  [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md) | <code>T</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
index c45efa9296831..59d25651b7697 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md)
-
-## UserProvidedValues.userValue property
-
-<b>Signature:</b>
-
-```typescript
-userValue?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md)
+
+## UserProvidedValues.userValue property
+
+<b>Signature:</b>
+
+```typescript
+userValue?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
index c937b49f08e74..e0b7012bea4aa 100644
--- a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
+++ b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) &gt; [getInstanceUuid](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md)
-
-## UuidServiceSetup.getInstanceUuid() method
-
-Retrieve the Kibana instance uuid.
-
-<b>Signature:</b>
-
-```typescript
-getInstanceUuid(): string;
-```
-<b>Returns:</b>
-
-`string`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) &gt; [getInstanceUuid](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md)
+
+## UuidServiceSetup.getInstanceUuid() method
+
+Retrieve the Kibana instance uuid.
+
+<b>Signature:</b>
+
+```typescript
+getInstanceUuid(): string;
+```
+<b>Returns:</b>
+
+`string`
+
diff --git a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
index fa319779e01d5..f2a6cfdeac704 100644
--- a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
-
-## UuidServiceSetup interface
-
-APIs to access the application's instance uuid.
-
-<b>Signature:</b>
-
-```typescript
-export interface UuidServiceSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getInstanceUuid()](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md) | Retrieve the Kibana instance uuid. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
+
+## UuidServiceSetup interface
+
+APIs to access the application's instance uuid.
+
+<b>Signature:</b>
+
+```typescript
+export interface UuidServiceSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getInstanceUuid()](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md) | Retrieve the Kibana instance uuid. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.validbodyoutput.md b/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
index 2230fcc988d76..ea866abf887fb 100644
--- a/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
+++ b/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [validBodyOutput](./kibana-plugin-server.validbodyoutput.md)
-
-## validBodyOutput variable
-
-The set of valid body.output
-
-<b>Signature:</b>
-
-```typescript
-validBodyOutput: readonly ["data", "stream"]
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [validBodyOutput](./kibana-plugin-server.validbodyoutput.md)
+
+## validBodyOutput variable
+
+The set of valid body.output
+
+<b>Signature:</b>
+
+```typescript
+validBodyOutput: readonly ["data", "stream"]
+```
diff --git a/src/dev/precommit_hook/casing_check_config.js b/src/dev/precommit_hook/casing_check_config.js
index 78fc041345577..e5493df0aecf7 100644
--- a/src/dev/precommit_hook/casing_check_config.js
+++ b/src/dev/precommit_hook/casing_check_config.js
@@ -55,9 +55,6 @@ export const IGNORE_FILE_GLOBS = [
 
   // filename is required by storybook
   'packages/kbn-storybook/storybook_config/preview-head.html',
-
-  // filename required by api-extractor
-  'api-documenter.json',
 ];
 
 /**
diff --git a/src/dev/run_check_core_api_changes.ts b/src/dev/run_check_core_api_changes.ts
index 48f31c261c445..56664477df491 100644
--- a/src/dev/run_check_core_api_changes.ts
+++ b/src/dev/run_check_core_api_changes.ts
@@ -83,7 +83,7 @@ const runBuildTypes = async () => {
 const runApiDocumenter = async (folder: string) => {
   await execa(
     'api-documenter',
-    ['generate', '-i', `./build/${folder}`, '-o', `./docs/development/core/${folder}`],
+    ['markdown', '-i', `./build/${folder}`, '-o', `./docs/development/core/${folder}`],
     {
       preferLocal: true,
     }

From 1a856c7de77ec5accce4535bf204f065b622db44 Mon Sep 17 00:00:00 2001
From: Brian Seeders <brian.seeders@elastic.co>
Date: Mon, 27 Jan 2020 10:39:06 -0500
Subject: [PATCH 09/36] Skip failing watcher tests

---
 x-pack/test/functional/apps/watcher/watcher_test.js | 3 ++-
 1 file changed, 2 insertions(+), 1 deletion(-)

diff --git a/x-pack/test/functional/apps/watcher/watcher_test.js b/x-pack/test/functional/apps/watcher/watcher_test.js
index 20744d7a03817..8f9dccf853e9e 100644
--- a/x-pack/test/functional/apps/watcher/watcher_test.js
+++ b/x-pack/test/functional/apps/watcher/watcher_test.js
@@ -18,7 +18,8 @@ export default function({ getService, getPageObjects }) {
   const esSupertest = getService('esSupertest');
   const PageObjects = getPageObjects(['security', 'common', 'header', 'settings', 'watcher']);
 
-  describe('watcher_test', function() {
+  // Failing: https://github.com/elastic/kibana/issues/56014
+  describe.skip('watcher_test', function() {
     before('initialize tests', async () => {
       // There may be system watches if monitoring was previously enabled
       // These cannot be deleted via the UI, so we need to delete via the API

From 7fa5707ad6e3cb01ac2a8703317e528c20365385 Mon Sep 17 00:00:00 2001
From: James Gowdy <jgowdy@elastic.co>
Date: Mon, 27 Jan 2020 15:48:36 +0000
Subject: [PATCH 10/36] [ML] Fixing module setup error for insufficient index
 pattern privileges (#55989)

---
 .../models/data_recognizer/data_recognizer.js  | 18 +++++++++++-------
 1 file changed, 11 insertions(+), 7 deletions(-)

diff --git a/x-pack/legacy/plugins/ml/server/models/data_recognizer/data_recognizer.js b/x-pack/legacy/plugins/ml/server/models/data_recognizer/data_recognizer.js
index 423141a87d177..1e7a72ee2750f 100644
--- a/x-pack/legacy/plugins/ml/server/models/data_recognizer/data_recognizer.js
+++ b/x-pack/legacy/plugins/ml/server/models/data_recognizer/data_recognizer.js
@@ -290,7 +290,6 @@ export class DataRecognizer {
     request
   ) {
     this.savedObjectsClient = request.getSavedObjectsClient();
-    this.indexPatterns = await this.loadIndexPatterns();
 
     // load the config from disk
     const moduleConfig = await this.getModule(moduleId, jobPrefix);
@@ -303,7 +302,7 @@ export class DataRecognizer {
 
     this.indexPatternName =
       indexPatternName === undefined ? moduleConfig.defaultIndexPattern : indexPatternName;
-    this.indexPatternId = this.getIndexPatternId(this.indexPatternName);
+    this.indexPatternId = await this.getIndexPatternId(this.indexPatternName);
 
     // the module's jobs contain custom URLs which require an index patten id
     // but there is no corresponding index pattern, throw an error
@@ -450,12 +449,17 @@ export class DataRecognizer {
   }
 
   // returns a id based on an index pattern name
-  getIndexPatternId(name) {
-    if (this.indexPatterns && this.indexPatterns.saved_objects) {
-      const ip = this.indexPatterns.saved_objects.find(i => i.attributes.title === name);
+  async getIndexPatternId(name) {
+    try {
+      const indexPatterns = await this.loadIndexPatterns();
+      if (indexPatterns === undefined || indexPatterns.saved_objects === undefined) {
+        return;
+      }
+      const ip = indexPatterns.saved_objects.find(i => i.attributes.title === name);
       return ip !== undefined ? ip.id : undefined;
-    } else {
-      return undefined;
+    } catch (error) {
+      mlLog.warn(`Error loading index patterns, ${error}`);
+      return;
     }
   }
 

From 82446048cf93c41467f7901db92b1aa53c331a0f Mon Sep 17 00:00:00 2001
From: Dmitry Lemeshko <dzmitry.lemechko@elastic.co>
Date: Mon, 27 Jan 2020 16:49:59 +0100
Subject: [PATCH 11/36] skip tests due to issue #55992 (#55995)

---
 test/functional/apps/dashboard/panel_controls.js | 3 ++-
 1 file changed, 2 insertions(+), 1 deletion(-)

diff --git a/test/functional/apps/dashboard/panel_controls.js b/test/functional/apps/dashboard/panel_controls.js
index f30f58913bd97..5ec6cf3389c4e 100644
--- a/test/functional/apps/dashboard/panel_controls.js
+++ b/test/functional/apps/dashboard/panel_controls.js
@@ -54,7 +54,8 @@ export default function({ getService, getPageObjects }) {
       await PageObjects.dashboard.gotoDashboardLandingPage();
     });
 
-    describe('visualization object replace flyout', () => {
+    // unskip when issue is fixed https://github.com/elastic/kibana/issues/55992
+    describe.skip('visualization object replace flyout', () => {
       let intialDimensions;
       before(async () => {
         await PageObjects.dashboard.clickNewDashboard();

From 455a96e107b72bf147700cfdc155a8f129ba0310 Mon Sep 17 00:00:00 2001
From: Tim Roes <tim.roes@elastic.co>
Date: Mon, 27 Jan 2020 17:25:54 +0100
Subject: [PATCH 12/36] Hide nested fields across Kibana apps (#55278)

* Hide nested fields across Kibana apps

* Filter out nested fields in TSVB

* Fix import paths

* Hide nested fields in timelion autocomplete

* Fix remaining map places

* Filter out nested fields in graph

* Fix remaining map places

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../public/helpers/arg_value_suggestions.ts           | 11 ++++++++---
 .../vis_type_timeseries/server/lib/get_fields.js      |  3 ++-
 src/legacy/ui/public/agg_types/param_types/field.ts   |  3 ++-
 .../data/common/index_patterns/fields/index.ts        |  2 +-
 .../data/common/index_patterns/fields/utils.ts        |  4 ++++
 src/plugins/data/public/index.ts                      |  1 +
 src/plugins/data/server/index.ts                      |  1 +
 .../graph/public/services/persistence/deserialize.ts  |  4 ++--
 .../plugins/lens/public/indexpattern_plugin/loader.ts |  7 ++++---
 .../maps/public/connected_components/gis_map/view.js  |  6 ++++--
 .../layer_panel/join_editor/resources/join.js         |  3 ++-
 .../join_editor/resources/join_expression.js          |  3 ++-
 .../legacy/plugins/maps/public/index_pattern_util.js  |  9 +++++++--
 .../plugins/maps/public/layers/fields/es_doc_field.js |  4 +++-
 .../es_geo_grid_source/create_source_editor.js        | 11 +++++++++--
 .../es_geo_grid_source/update_source_editor.js        |  3 ++-
 .../sources/es_pew_pew_source/create_source_editor.js | 11 +++++++++--
 .../sources/es_pew_pew_source/es_pew_pew_source.js    |  4 +++-
 .../sources/es_pew_pew_source/update_source_editor.js |  3 ++-
 .../sources/es_search_source/create_source_editor.js  | 11 +++++++++--
 .../sources/es_search_source/update_source_editor.js  |  3 ++-
 21 files changed, 79 insertions(+), 28 deletions(-)

diff --git a/src/legacy/core_plugins/vis_type_timelion/public/helpers/arg_value_suggestions.ts b/src/legacy/core_plugins/vis_type_timelion/public/helpers/arg_value_suggestions.ts
index e293a662a4ed7..56562121397ce 100644
--- a/src/legacy/core_plugins/vis_type_timelion/public/helpers/arg_value_suggestions.ts
+++ b/src/legacy/core_plugins/vis_type_timelion/public/helpers/arg_value_suggestions.ts
@@ -20,6 +20,7 @@
 import { get } from 'lodash';
 import { getIndexPatterns, getSavedObjectsClient } from './plugin_services';
 import { TimelionFunctionArgs } from '../../../../../plugins/timelion/common/types';
+import { isNestedField } from '../../../../../plugins/data/public';
 
 export interface Location {
   min: number;
@@ -120,7 +121,8 @@ export function getArgValueSuggestions() {
             return (
               field.aggregatable &&
               'number' === field.type &&
-              containsFieldName(valueSplit[1], field)
+              containsFieldName(valueSplit[1], field) &&
+              !isNestedField(field)
             );
           })
           .map(field => {
@@ -138,7 +140,8 @@ export function getArgValueSuggestions() {
             return (
               field.aggregatable &&
               ['number', 'boolean', 'date', 'ip', 'string'].includes(field.type) &&
-              containsFieldName(partial, field)
+              containsFieldName(partial, field) &&
+              !isNestedField(field)
             );
           })
           .map(field => {
@@ -153,7 +156,9 @@ export function getArgValueSuggestions() {
 
         return indexPattern.fields
           .filter(field => {
-            return 'date' === field.type && containsFieldName(partial, field);
+            return (
+              'date' === field.type && containsFieldName(partial, field) && !isNestedField(field)
+            );
           })
           .map(field => {
             return { name: field.name };
diff --git a/src/legacy/core_plugins/vis_type_timeseries/server/lib/get_fields.js b/src/legacy/core_plugins/vis_type_timeseries/server/lib/get_fields.js
index c16452ab4b895..361ce132f1735 100644
--- a/src/legacy/core_plugins/vis_type_timeseries/server/lib/get_fields.js
+++ b/src/legacy/core_plugins/vis_type_timeseries/server/lib/get_fields.js
@@ -19,6 +19,7 @@
 import { SearchStrategiesRegister } from './search_strategies/search_strategies_register';
 import { uniq } from 'lodash';
 import { getIndexPatternObject } from './vis_data/helpers/get_index_pattern';
+import { isNestedField } from '../../../../../plugins/data/server';
 
 export async function getFields(req) {
   const indexPattern = req.query.index;
@@ -30,7 +31,7 @@ export async function getFields(req) {
 
   const fields = (
     await searchStrategy.getFieldsForWildcard(req, indexPatternString, capabilities)
-  ).filter(field => field.aggregatable);
+  ).filter(field => field.aggregatable && !isNestedField(field));
 
   return uniq(fields, field => field.name);
 }
diff --git a/src/legacy/ui/public/agg_types/param_types/field.ts b/src/legacy/ui/public/agg_types/param_types/field.ts
index a0fa6ad6e3189..090ea14bb64a9 100644
--- a/src/legacy/ui/public/agg_types/param_types/field.ts
+++ b/src/legacy/ui/public/agg_types/param_types/field.ts
@@ -26,6 +26,7 @@ import { BaseParamType } from './base';
 import { toastNotifications } from '../../notify';
 import { propFilter } from '../filter';
 import { Field, IFieldList } from '../../../../../plugins/data/public';
+import { isNestedField } from '../../../../../plugins/data/public';
 
 const filterByType = propFilter('type');
 
@@ -116,7 +117,7 @@ export class FieldParamType extends BaseParamType {
       const { onlyAggregatable, scriptable, filterFieldTypes } = this;
 
       if (
-        (onlyAggregatable && (!field.aggregatable || field.subType?.nested)) ||
+        (onlyAggregatable && (!field.aggregatable || isNestedField(field))) ||
         (!scriptable && field.scripted)
       ) {
         return false;
diff --git a/src/plugins/data/common/index_patterns/fields/index.ts b/src/plugins/data/common/index_patterns/fields/index.ts
index 2b43dffa8c161..5b6fef3e51fa9 100644
--- a/src/plugins/data/common/index_patterns/fields/index.ts
+++ b/src/plugins/data/common/index_patterns/fields/index.ts
@@ -18,4 +18,4 @@
  */
 
 export * from './types';
-export { isFilterable } from './utils';
+export { isFilterable, isNestedField } from './utils';
diff --git a/src/plugins/data/common/index_patterns/fields/utils.ts b/src/plugins/data/common/index_patterns/fields/utils.ts
index c7bec5e5ad347..e587c0fe632f1 100644
--- a/src/plugins/data/common/index_patterns/fields/utils.ts
+++ b/src/plugins/data/common/index_patterns/fields/utils.ts
@@ -28,3 +28,7 @@ export function isFilterable(field: IFieldType): boolean {
     Boolean(field.searchable && filterableTypes.includes(field.type))
   );
 }
+
+export function isNestedField(field: IFieldType): boolean {
+  return !!field.subType?.nested;
+}
diff --git a/src/plugins/data/public/index.ts b/src/plugins/data/public/index.ts
index 19ba246ce02dd..d9b15cb46334a 100644
--- a/src/plugins/data/public/index.ts
+++ b/src/plugins/data/public/index.ts
@@ -89,6 +89,7 @@ export {
   getKbnTypeNames,
   // utils
   parseInterval,
+  isNestedField,
 } from '../common';
 
 // Export plugin after all other imports
diff --git a/src/plugins/data/server/index.ts b/src/plugins/data/server/index.ts
index 3cd088744a439..ab908f90fc87b 100644
--- a/src/plugins/data/server/index.ts
+++ b/src/plugins/data/server/index.ts
@@ -49,6 +49,7 @@ export {
   TimeRange,
   // utils
   parseInterval,
+  isNestedField,
 } from '../common';
 
 /**
diff --git a/x-pack/legacy/plugins/graph/public/services/persistence/deserialize.ts b/x-pack/legacy/plugins/graph/public/services/persistence/deserialize.ts
index 43425077cc174..0bef31e9fb7fe 100644
--- a/x-pack/legacy/plugins/graph/public/services/persistence/deserialize.ts
+++ b/x-pack/legacy/plugins/graph/public/services/persistence/deserialize.ts
@@ -24,7 +24,7 @@ import {
   colorChoices,
   iconChoicesByClass,
 } from '../../helpers/style_choices';
-import { IndexPattern } from '../../../../../../../src/plugins/data/public';
+import { IndexPattern, isNestedField } from '../../../../../../../src/plugins/data/public';
 
 const defaultAdvancedSettings: AdvancedSettings = {
   useSignificance: true,
@@ -80,7 +80,7 @@ export function mapFields(indexPattern: IndexPattern): WorkspaceField[] {
 
   return indexPattern
     .getNonScriptedFields()
-    .filter(field => !blockedFieldNames.includes(field.name))
+    .filter(field => !blockedFieldNames.includes(field.name) && !isNestedField(field))
     .map((field, index) => ({
       name: field.name,
       hopSize: defaultHopSize,
diff --git a/x-pack/legacy/plugins/lens/public/indexpattern_plugin/loader.ts b/x-pack/legacy/plugins/lens/public/indexpattern_plugin/loader.ts
index 5b994890deb7a..c9473c1869868 100644
--- a/x-pack/legacy/plugins/lens/public/indexpattern_plugin/loader.ts
+++ b/x-pack/legacy/plugins/lens/public/indexpattern_plugin/loader.ts
@@ -21,6 +21,7 @@ import { updateLayerIndexPattern } from './state_helpers';
 import { DateRange, ExistingFields } from '../../common/types';
 import { BASE_API_URL } from '../../common';
 import { documentField } from './document_field';
+import { isNestedField, IFieldType } from '../../../../../../src/plugins/data/public';
 
 interface SavedIndexPatternAttributes extends SavedObjectAttributes {
   title: string;
@@ -271,9 +272,9 @@ function fromSavedObject(
     id,
     type,
     title: attributes.title,
-    fields: (JSON.parse(attributes.fields) as IndexPatternField[])
-      .filter(({ aggregatable, scripted }) => !!aggregatable || !!scripted)
-      .concat(documentField),
+    fields: (JSON.parse(attributes.fields) as IFieldType[])
+      .filter(field => !isNestedField(field) && (!!field.aggregatable || !!field.scripted))
+      .concat(documentField) as IndexPatternField[],
     typeMeta: attributes.typeMeta
       ? (JSON.parse(attributes.typeMeta) as SavedRestrictionsInfo)
       : undefined,
diff --git a/x-pack/legacy/plugins/maps/public/connected_components/gis_map/view.js b/x-pack/legacy/plugins/maps/public/connected_components/gis_map/view.js
index 64342d6b4b51d..2430ca6503f84 100644
--- a/x-pack/legacy/plugins/maps/public/connected_components/gis_map/view.js
+++ b/x-pack/legacy/plugins/maps/public/connected_components/gis_map/view.js
@@ -15,6 +15,7 @@ import { EuiFlexGroup, EuiFlexItem, EuiCallOut } from '@elastic/eui';
 import { ExitFullScreenButton } from 'ui/exit_full_screen';
 import { getIndexPatternsFromIds } from '../../index_pattern_util';
 import { ES_GEO_FIELD_TYPE } from '../../../common/constants';
+import { isNestedField } from '../../../../../../../src/plugins/data/public';
 import { i18n } from '@kbn/i18n';
 import uuid from 'uuid/v4';
 
@@ -80,8 +81,9 @@ export class GisMap extends Component {
       indexPatterns.forEach(indexPattern => {
         indexPattern.fields.forEach(field => {
           if (
-            field.type === ES_GEO_FIELD_TYPE.GEO_POINT ||
-            field.type === ES_GEO_FIELD_TYPE.GEO_SHAPE
+            !isNestedField(field) &&
+            (field.type === ES_GEO_FIELD_TYPE.GEO_POINT ||
+              field.type === ES_GEO_FIELD_TYPE.GEO_SHAPE)
           ) {
             geoFields.push({
               geoFieldName: field.name,
diff --git a/x-pack/legacy/plugins/maps/public/connected_components/layer_panel/join_editor/resources/join.js b/x-pack/legacy/plugins/maps/public/connected_components/layer_panel/join_editor/resources/join.js
index f5738856bd8db..554164bf0e8c4 100644
--- a/x-pack/legacy/plugins/maps/public/connected_components/layer_panel/join_editor/resources/join.js
+++ b/x-pack/legacy/plugins/maps/public/connected_components/layer_panel/join_editor/resources/join.js
@@ -13,6 +13,7 @@ import { MetricsExpression } from './metrics_expression';
 import { WhereExpression } from './where_expression';
 import { GlobalFilterCheckbox } from '../../../../components/global_filter_checkbox';
 
+import { isNestedField } from '../../../../../../../../../src/plugins/data/public';
 import { indexPatternService } from '../../../../kibana_services';
 
 const getIndexPatternId = props => {
@@ -88,7 +89,7 @@ export class Join extends Component {
     }
 
     this.setState({
-      rightFields: indexPattern.fields,
+      rightFields: indexPattern.fields.filter(field => !isNestedField(field)),
       indexPattern,
     });
   }
diff --git a/x-pack/legacy/plugins/maps/public/connected_components/layer_panel/join_editor/resources/join_expression.js b/x-pack/legacy/plugins/maps/public/connected_components/layer_panel/join_editor/resources/join_expression.js
index b53a0e737fc3d..76827e71df9ec 100644
--- a/x-pack/legacy/plugins/maps/public/connected_components/layer_panel/join_editor/resources/join_expression.js
+++ b/x-pack/legacy/plugins/maps/public/connected_components/layer_panel/join_editor/resources/join_expression.js
@@ -23,6 +23,7 @@ import { getTermsFields } from '../../../../index_pattern_util';
 import { indexPatternService } from '../../../../kibana_services';
 
 import { npStart } from 'ui/new_platform';
+import { isNestedField } from '../../../../../../../../../src/plugins/data/public';
 const { IndexPatternSelect } = npStart.plugins.data.ui;
 
 export class JoinExpression extends Component {
@@ -134,7 +135,7 @@ export class JoinExpression extends Component {
     }
 
     const filterStringOrNumberFields = field => {
-      return field.type === 'string' || field.type === 'number';
+      return (field.type === 'string' && !isNestedField(field)) || field.type === 'number';
     };
 
     return (
diff --git a/x-pack/legacy/plugins/maps/public/index_pattern_util.js b/x-pack/legacy/plugins/maps/public/index_pattern_util.js
index c16606525b8c1..10837bc2f0d0c 100644
--- a/x-pack/legacy/plugins/maps/public/index_pattern_util.js
+++ b/x-pack/legacy/plugins/maps/public/index_pattern_util.js
@@ -5,6 +5,7 @@
  */
 
 import { indexPatternService } from './kibana_services';
+import { isNestedField } from '../../../../../src/plugins/data/public';
 
 export async function getIndexPatternsFromIds(indexPatternIds = []) {
   const promises = [];
@@ -20,7 +21,11 @@ export async function getIndexPatternsFromIds(indexPatternIds = []) {
 
 export function getTermsFields(fields) {
   return fields.filter(field => {
-    return field.aggregatable && ['number', 'boolean', 'date', 'ip', 'string'].includes(field.type);
+    return (
+      field.aggregatable &&
+      !isNestedField(field) &&
+      ['number', 'boolean', 'date', 'ip', 'string'].includes(field.type)
+    );
   });
 }
 
@@ -29,6 +34,6 @@ export function getSourceFields(fields) {
   return fields.filter(field => {
     // Multi fields are not stored in _source and only exist in index.
     const isMultiField = field.subType && field.subType.multi;
-    return !isMultiField;
+    return !isMultiField && !isNestedField(field);
   });
 }
diff --git a/x-pack/legacy/plugins/maps/public/layers/fields/es_doc_field.js b/x-pack/legacy/plugins/maps/public/layers/fields/es_doc_field.js
index f9baf180dfe5c..76bcb8da552d1 100644
--- a/x-pack/legacy/plugins/maps/public/layers/fields/es_doc_field.js
+++ b/x-pack/legacy/plugins/maps/public/layers/fields/es_doc_field.js
@@ -7,13 +7,15 @@
 import { AbstractField } from './field';
 import { ESTooltipProperty } from '../tooltips/es_tooltip_property';
 import { COLOR_PALETTE_MAX_SIZE } from '../../../common/constants';
+import { isNestedField } from '../../../../../../../src/plugins/data/public';
 
 export class ESDocField extends AbstractField {
   static type = 'ES_DOC';
 
   async _getField() {
     const indexPattern = await this._source.getIndexPattern();
-    return indexPattern.fields.getByName(this._fieldName);
+    const field = indexPattern.fields.getByName(this._fieldName);
+    return isNestedField(field) ? undefined : field;
   }
 
   async createTooltipProperty(value) {
diff --git a/x-pack/legacy/plugins/maps/public/layers/sources/es_geo_grid_source/create_source_editor.js b/x-pack/legacy/plugins/maps/public/layers/sources/es_geo_grid_source/create_source_editor.js
index bf679e766470c..c32b857b49171 100644
--- a/x-pack/legacy/plugins/maps/public/layers/sources/es_geo_grid_source/create_source_editor.js
+++ b/x-pack/legacy/plugins/maps/public/layers/sources/es_geo_grid_source/create_source_editor.js
@@ -16,6 +16,7 @@ import { i18n } from '@kbn/i18n';
 
 import { EuiFormRow, EuiComboBox, EuiSpacer } from '@elastic/eui';
 import { ES_GEO_FIELD_TYPE } from '../../../../common/constants';
+import { isNestedField } from '../../../../../../../../src/plugins/data/public';
 
 import { npStart } from 'ui/new_platform';
 const { IndexPatternSelect } = npStart.plugins.data.ui;
@@ -115,7 +116,9 @@ export class CreateSourceEditor extends Component {
     });
 
     //make default selection
-    const geoFields = indexPattern.fields.filter(filterGeoField);
+    const geoFields = indexPattern.fields
+      .filter(field => !isNestedField(field))
+      .filter(filterGeoField);
     if (geoFields[0]) {
       this._onGeoFieldSelect(geoFields[0].name);
     }
@@ -171,7 +174,11 @@ export class CreateSourceEditor extends Component {
           value={this.state.geoField}
           onChange={this._onGeoFieldSelect}
           filterField={filterGeoField}
-          fields={this.state.indexPattern ? this.state.indexPattern.fields : undefined}
+          fields={
+            this.state.indexPattern
+              ? this.state.indexPattern.fields.filter(field => !isNestedField(field))
+              : undefined
+          }
         />
       </EuiFormRow>
     );
diff --git a/x-pack/legacy/plugins/maps/public/layers/sources/es_geo_grid_source/update_source_editor.js b/x-pack/legacy/plugins/maps/public/layers/sources/es_geo_grid_source/update_source_editor.js
index 6faed55f24c34..0d9234acd9150 100644
--- a/x-pack/legacy/plugins/maps/public/layers/sources/es_geo_grid_source/update_source_editor.js
+++ b/x-pack/legacy/plugins/maps/public/layers/sources/es_geo_grid_source/update_source_editor.js
@@ -14,6 +14,7 @@ import { i18n } from '@kbn/i18n';
 import { FormattedMessage } from '@kbn/i18n/react';
 import { EuiPanel, EuiSpacer, EuiTitle } from '@elastic/eui';
 import { isMetricCountable } from '../../util/is_metric_countable';
+import { isNestedField } from '../../../../../../../../src/plugins/data/public';
 
 export class UpdateSourceEditor extends Component {
   state = {
@@ -51,7 +52,7 @@ export class UpdateSourceEditor extends Component {
       return;
     }
 
-    this.setState({ fields: indexPattern.fields });
+    this.setState({ fields: indexPattern.fields.filter(field => !isNestedField(field)) });
   }
 
   _onMetricsChange = metrics => {
diff --git a/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/create_source_editor.js b/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/create_source_editor.js
index 6180862d01bba..85d63c9da8a31 100644
--- a/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/create_source_editor.js
+++ b/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/create_source_editor.js
@@ -15,6 +15,7 @@ import { FormattedMessage } from '@kbn/i18n/react';
 
 import { EuiFormRow, EuiCallOut } from '@elastic/eui';
 import { ES_GEO_FIELD_TYPE } from '../../../../common/constants';
+import { isNestedField } from '../../../../../../../../src/plugins/data/public';
 
 import { npStart } from 'ui/new_platform';
 const { IndexPatternSelect } = npStart.plugins.data.ui;
@@ -91,7 +92,9 @@ export class CreateSourceEditor extends Component {
       return;
     }
 
-    const geoFields = indexPattern.fields.filter(filterGeoField);
+    const geoFields = indexPattern.fields
+      .filter(field => !isNestedField(field))
+      .filter(filterGeoField);
 
     this.setState({
       isLoadingIndexPattern: false,
@@ -163,7 +166,11 @@ export class CreateSourceEditor extends Component {
             value={this.state.destGeoField}
             onChange={this._onDestGeoSelect}
             filterField={filterGeoField}
-            fields={this.state.indexPattern ? this.state.indexPattern.fields : undefined}
+            fields={
+              this.state.indexPattern
+                ? this.state.indexPattern.fields.filter(field => !isNestedField(field))
+                : undefined
+            }
           />
         </EuiFormRow>
       </Fragment>
diff --git a/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/es_pew_pew_source.js b/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/es_pew_pew_source.js
index dfc9fca96dd75..e6faf4146435d 100644
--- a/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/es_pew_pew_source.js
+++ b/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/es_pew_pew_source.js
@@ -25,6 +25,7 @@ import { AggConfigs } from 'ui/agg_types';
 import { AbstractESAggSource } from '../es_agg_source';
 import { DynamicStyleProperty } from '../../styles/vector/properties/dynamic_style_property';
 import { COLOR_GRADIENTS } from '../../styles/color_utils';
+import { isNestedField } from '../../../../../../../../src/plugins/data/public';
 
 const MAX_GEOTILE_LEVEL = 29;
 
@@ -228,7 +229,8 @@ export class ESPewPewSource extends AbstractESAggSource {
 
   async _getGeoField() {
     const indexPattern = await this.getIndexPattern();
-    const geoField = indexPattern.fields.getByName(this._descriptor.destGeoField);
+    const field = indexPattern.fields.getByName(this._descriptor.destGeoField);
+    const geoField = isNestedField(field) ? undefined : field;
     if (!geoField) {
       throw new Error(
         i18n.translate('xpack.maps.source.esSource.noGeoFieldErrorMessage', {
diff --git a/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/update_source_editor.js b/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/update_source_editor.js
index 028bb3ad6c7f2..6e2583bf85bb8 100644
--- a/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/update_source_editor.js
+++ b/x-pack/legacy/plugins/maps/public/layers/sources/es_pew_pew_source/update_source_editor.js
@@ -11,6 +11,7 @@ import { indexPatternService } from '../../../kibana_services';
 import { i18n } from '@kbn/i18n';
 import { EuiPanel, EuiTitle, EuiSpacer } from '@elastic/eui';
 import { FormattedMessage } from '@kbn/i18n/react';
+import { isNestedField } from '../../../../../../../../src/plugins/data/public';
 
 export class UpdateSourceEditor extends Component {
   state = {
@@ -48,7 +49,7 @@ export class UpdateSourceEditor extends Component {
       return;
     }
 
-    this.setState({ fields: indexPattern.fields });
+    this.setState({ fields: indexPattern.fields.filter(field => !isNestedField(field)) });
   }
 
   _onMetricsChange = metrics => {
diff --git a/x-pack/legacy/plugins/maps/public/layers/sources/es_search_source/create_source_editor.js b/x-pack/legacy/plugins/maps/public/layers/sources/es_search_source/create_source_editor.js
index 28045eeb5e9b5..69e4c09eed118 100644
--- a/x-pack/legacy/plugins/maps/public/layers/sources/es_search_source/create_source_editor.js
+++ b/x-pack/legacy/plugins/maps/public/layers/sources/es_search_source/create_source_editor.js
@@ -21,6 +21,7 @@ import {
   DEFAULT_MAX_RESULT_WINDOW,
 } from '../../../../common/constants';
 import { DEFAULT_FILTER_BY_MAP_BOUNDS } from './constants';
+import { isNestedField } from '../../../../../../../../src/plugins/data/public';
 
 import { npStart } from 'ui/new_platform';
 const { IndexPatternSelect } = npStart.plugins.data.ui;
@@ -124,7 +125,9 @@ export class CreateSourceEditor extends Component {
     });
 
     //make default selection
-    const geoFields = indexPattern.fields.filter(filterGeoField);
+    const geoFields = indexPattern.fields
+      .filter(field => !isNestedField(field))
+      .filter(filterGeoField);
     if (geoFields[0]) {
       this.onGeoFieldSelect(geoFields[0].name);
     }
@@ -178,7 +181,11 @@ export class CreateSourceEditor extends Component {
           value={this.state.geoField}
           onChange={this.onGeoFieldSelect}
           filterField={filterGeoField}
-          fields={this.state.indexPattern ? this.state.indexPattern.fields : undefined}
+          fields={
+            this.state.indexPattern
+              ? this.state.indexPattern.fields.filter(field => !isNestedField(field))
+              : undefined
+          }
         />
       </EuiFormRow>
     );
diff --git a/x-pack/legacy/plugins/maps/public/layers/sources/es_search_source/update_source_editor.js b/x-pack/legacy/plugins/maps/public/layers/sources/es_search_source/update_source_editor.js
index 4503856829ef2..fdebbe4c81911 100644
--- a/x-pack/legacy/plugins/maps/public/layers/sources/es_search_source/update_source_editor.js
+++ b/x-pack/legacy/plugins/maps/public/layers/sources/es_search_source/update_source_editor.js
@@ -26,6 +26,7 @@ import { DEFAULT_MAX_INNER_RESULT_WINDOW, SORT_ORDER } from '../../../../common/
 import { ESDocField } from '../../fields/es_doc_field';
 import { FormattedMessage } from '@kbn/i18n/react';
 import { loadIndexSettings } from './load_index_settings';
+import { isNestedField } from '../../../../../../../../src/plugins/data/public';
 
 export class UpdateSourceEditor extends Component {
   static propTypes = {
@@ -103,7 +104,7 @@ export class UpdateSourceEditor extends Component {
     this.setState({
       sourceFields: sourceFields,
       termFields: getTermsFields(indexPattern.fields), //todo change term fields to use fields
-      sortFields: indexPattern.fields.filter(field => field.sortable), //todo change sort fields to use fields
+      sortFields: indexPattern.fields.filter(field => field.sortable && !isNestedField(field)), //todo change sort fields to use fields
     });
   }
   _onTooltipPropertiesChange = propertyNames => {

From 13593344a02bb7442af0683134f1f2cb74a0aa16 Mon Sep 17 00:00:00 2001
From: Joe Portner <5295965+jportner@users.noreply.github.com>
Date: Mon, 27 Jan 2020 11:38:20 -0500
Subject: [PATCH 13/36] Add lockfile symlinks (#55440)

This is to enable dependency scanning tools to correctly resolve
the dependencies in each package.json file that is used in
production.
---
 packages/elastic-datemath/yarn.lock           |   1 +
 packages/kbn-babel-code-parser/yarn.lock      |   1 +
 packages/kbn-babel-preset/yarn.lock           |   1 +
 packages/kbn-dev-utils/yarn.lock              |   1 +
 packages/kbn-es/yarn.lock                     |   1 +
 .../yarn.lock                                 |   1 +
 packages/kbn-eslint-plugin-eslint/yarn.lock   |   1 +
 packages/kbn-i18n/yarn.lock                   |   1 +
 packages/kbn-interpreter/yarn.lock            |   1 +
 packages/kbn-plugin-generator/yarn.lock       |   1 +
 packages/kbn-plugin-helpers/yarn.lock         |   1 +
 packages/kbn-pm/yarn.lock                     |   1 +
 packages/kbn-spec-to-console/yarn.lock        |   1 +
 packages/kbn-storybook/yarn.lock              |   1 +
 packages/kbn-test/yarn.lock                   |   1 +
 packages/kbn-ui-framework/yarn.lock           |   1 +
 packages/kbn-utility-types/yarn.lock          |   1 +
 scripts/check_lockfile_symlinks.js            |  21 ++
 src/dev/run_check_lockfile_symlinks.js        | 182 ++++++++++++++++++
 tasks/config/run.js                           |  11 ++
 tasks/jenkins.js                              |   1 +
 x-pack/.gitignore                             |   3 -
 x-pack/legacy/plugins/infra/yarn.lock         |   1 +
 x-pack/legacy/plugins/siem/yarn.lock          |   1 +
 x-pack/plugins/endpoint/yarn.lock             |   1 +
 x-pack/yarn.lock                              |   1 +
 26 files changed, 236 insertions(+), 3 deletions(-)
 create mode 120000 packages/elastic-datemath/yarn.lock
 create mode 120000 packages/kbn-babel-code-parser/yarn.lock
 create mode 120000 packages/kbn-babel-preset/yarn.lock
 create mode 120000 packages/kbn-dev-utils/yarn.lock
 create mode 120000 packages/kbn-es/yarn.lock
 create mode 120000 packages/kbn-eslint-import-resolver-kibana/yarn.lock
 create mode 120000 packages/kbn-eslint-plugin-eslint/yarn.lock
 create mode 120000 packages/kbn-i18n/yarn.lock
 create mode 120000 packages/kbn-interpreter/yarn.lock
 create mode 120000 packages/kbn-plugin-generator/yarn.lock
 create mode 120000 packages/kbn-plugin-helpers/yarn.lock
 create mode 120000 packages/kbn-pm/yarn.lock
 create mode 120000 packages/kbn-spec-to-console/yarn.lock
 create mode 120000 packages/kbn-storybook/yarn.lock
 create mode 120000 packages/kbn-test/yarn.lock
 create mode 120000 packages/kbn-ui-framework/yarn.lock
 create mode 120000 packages/kbn-utility-types/yarn.lock
 create mode 100644 scripts/check_lockfile_symlinks.js
 create mode 100644 src/dev/run_check_lockfile_symlinks.js
 create mode 120000 x-pack/legacy/plugins/infra/yarn.lock
 create mode 120000 x-pack/legacy/plugins/siem/yarn.lock
 create mode 120000 x-pack/plugins/endpoint/yarn.lock
 create mode 120000 x-pack/yarn.lock

diff --git a/packages/elastic-datemath/yarn.lock b/packages/elastic-datemath/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/elastic-datemath/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-babel-code-parser/yarn.lock b/packages/kbn-babel-code-parser/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-babel-code-parser/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-babel-preset/yarn.lock b/packages/kbn-babel-preset/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-babel-preset/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-dev-utils/yarn.lock b/packages/kbn-dev-utils/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-dev-utils/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-es/yarn.lock b/packages/kbn-es/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-es/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-eslint-import-resolver-kibana/yarn.lock b/packages/kbn-eslint-import-resolver-kibana/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-eslint-import-resolver-kibana/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-eslint-plugin-eslint/yarn.lock b/packages/kbn-eslint-plugin-eslint/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-eslint-plugin-eslint/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-i18n/yarn.lock b/packages/kbn-i18n/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-i18n/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-interpreter/yarn.lock b/packages/kbn-interpreter/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-interpreter/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-plugin-generator/yarn.lock b/packages/kbn-plugin-generator/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-plugin-generator/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-plugin-helpers/yarn.lock b/packages/kbn-plugin-helpers/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-plugin-helpers/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-pm/yarn.lock b/packages/kbn-pm/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-pm/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-spec-to-console/yarn.lock b/packages/kbn-spec-to-console/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-spec-to-console/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-storybook/yarn.lock b/packages/kbn-storybook/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-storybook/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-test/yarn.lock b/packages/kbn-test/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-test/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-ui-framework/yarn.lock b/packages/kbn-ui-framework/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-ui-framework/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/packages/kbn-utility-types/yarn.lock b/packages/kbn-utility-types/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/packages/kbn-utility-types/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/scripts/check_lockfile_symlinks.js b/scripts/check_lockfile_symlinks.js
new file mode 100644
index 0000000000000..b41a354da83f1
--- /dev/null
+++ b/scripts/check_lockfile_symlinks.js
@@ -0,0 +1,21 @@
+/*
+ * Licensed to Elasticsearch B.V. under one or more contributor
+ * license agreements. See the NOTICE file distributed with
+ * this work for additional information regarding copyright
+ * ownership. Elasticsearch B.V. licenses this file to you under
+ * the Apache License, Version 2.0 (the "License"); you may
+ * not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ *    http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied.  See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+
+require('../src/setup_node_env');
+require('../src/dev/run_check_lockfile_symlinks');
diff --git a/src/dev/run_check_lockfile_symlinks.js b/src/dev/run_check_lockfile_symlinks.js
new file mode 100644
index 0000000000000..c1ba22d3a7a44
--- /dev/null
+++ b/src/dev/run_check_lockfile_symlinks.js
@@ -0,0 +1,182 @@
+/*
+ * Licensed to Elasticsearch B.V. under one or more contributor
+ * license agreements. See the NOTICE file distributed with
+ * this work for additional information regarding copyright
+ * ownership. Elasticsearch B.V. licenses this file to you under
+ * the Apache License, Version 2.0 (the "License"); you may
+ * not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ *    http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied.  See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+
+import { existsSync, lstatSync, readFileSync } from 'fs';
+import globby from 'globby';
+import { dirname } from 'path';
+
+import { run, createFailError } from '@kbn/dev-utils';
+
+import { REPO_ROOT } from './constants';
+import { File } from './file';
+import { matchesAnyGlob } from './globs';
+
+const LOCKFILE_GLOBS = ['**/yarn.lock'];
+const MANIFEST_GLOBS = ['**/package.json'];
+const IGNORE_FILE_GLOBS = [
+  // tests aren't used in production, ignore them
+  '**/test/**/*',
+  // fixtures aren't used in production, ignore them
+  '**/*fixtures*/**/*',
+  // cypress isn't used in production, ignore it
+  'x-pack/legacy/plugins/apm/cypress/*',
+];
+
+run(async ({ log }) => {
+  const paths = await globby(LOCKFILE_GLOBS.concat(MANIFEST_GLOBS), {
+    cwd: REPO_ROOT,
+    nodir: true,
+    gitignore: true,
+    ignore: [
+      // the gitignore: true option makes sure that we don't
+      // include files from node_modules in the result, but it still
+      // loads all of the files from node_modules before filtering
+      // so it's still super slow. This prevents loading the files
+      // and still relies on gitignore to to final ignores
+      '**/node_modules',
+    ],
+  });
+
+  const files = paths.map(path => new File(path));
+
+  await checkLockfileSymlinks(log, files);
+});
+
+async function checkLockfileSymlinks(log, files) {
+  const filtered = files.filter(file => !matchesAnyGlob(file.getRelativePath(), IGNORE_FILE_GLOBS));
+  await checkOnlyLockfileAtProjectRoot(filtered);
+  await checkSuperfluousSymlinks(log, filtered);
+  await checkMissingSymlinks(log, filtered);
+}
+
+async function checkOnlyLockfileAtProjectRoot(files) {
+  const errorPaths = [];
+
+  files
+    .filter(file => matchesAnyGlob(file.getRelativePath(), LOCKFILE_GLOBS))
+    .forEach(file => {
+      const path = file.getRelativePath();
+      const parent = dirname(path);
+      const stats = lstatSync(path);
+      if (!stats.isSymbolicLink() && parent !== '.') {
+        errorPaths.push(path);
+      }
+    });
+
+  if (errorPaths.length) {
+    throw createFailError(
+      `These directories MUST NOT have a 'yarn.lock' file:\n${listPaths(errorPaths)}`
+    );
+  }
+}
+
+async function checkSuperfluousSymlinks(log, files) {
+  const errorPaths = [];
+
+  files
+    .filter(file => matchesAnyGlob(file.getRelativePath(), LOCKFILE_GLOBS))
+    .forEach(file => {
+      const path = file.getRelativePath();
+      const parent = dirname(path);
+      const stats = lstatSync(path);
+      if (!stats.isSymbolicLink()) {
+        return;
+      }
+
+      const manifestPath = `${parent}/package.json`;
+      if (!existsSync(manifestPath)) {
+        log.warning(
+          `No manifest found at '${manifestPath}', but found an adjacent 'yarn.lock' symlink.`
+        );
+        errorPaths.push(path);
+        return;
+      }
+
+      try {
+        const manifest = readFileSync(manifestPath);
+        try {
+          const json = JSON.parse(manifest);
+          if (!json.dependencies || !Object.keys(json.dependencies).length) {
+            log.warning(
+              `Manifest at '${manifestPath}' has an adjacent 'yarn.lock' symlink, but manifest has no dependencies.`
+            );
+            errorPaths.push(path);
+          }
+        } catch (err) {
+          log.warning(
+            `Manifest at '${manifestPath}' has an adjacent 'yarn.lock' symlink, but could not parse manifest JSON (${err.message}).`
+          );
+          errorPaths.push(path);
+        }
+      } catch (err) {
+        log.warning(
+          `Manifest at '${manifestPath}', has an adjacent 'yarn.lock' symlink, but could not read manifest (${err.message}).`
+        );
+        errorPaths.push(path);
+      }
+    });
+
+  if (errorPaths.length) {
+    throw createFailError(
+      `These directories MUST NOT have a 'yarn.lock' symlink:\n${listPaths(errorPaths)}`
+    );
+  }
+}
+
+async function checkMissingSymlinks(log, files) {
+  const errorPaths = [];
+
+  files
+    .filter(file => matchesAnyGlob(file.getRelativePath(), MANIFEST_GLOBS))
+    .forEach(file => {
+      const path = file.getRelativePath();
+      const parent = dirname(path);
+      const lockfilePath = `${parent}/yarn.lock`;
+      if (existsSync(lockfilePath)) {
+        return;
+      }
+
+      try {
+        const manifest = readFileSync(path);
+        try {
+          const json = JSON.parse(manifest);
+          if (json.dependencies && Object.keys(json.dependencies).length) {
+            log.warning(
+              `Manifest at '${path}' has dependencies, but did not find an adjacent 'yarn.lock' symlink.`
+            );
+            errorPaths.push(`${parent}/yarn.lock`);
+          }
+        } catch (err) {
+          log.warning(`Could not parse manifest JSON at '${path}' (${err.message}).`);
+        }
+      } catch (err) {
+        log.warning(`Could not read manifest at '${path}' (${err.message}).`);
+      }
+    });
+
+  if (errorPaths.length) {
+    throw createFailError(
+      `These directories MUST have a 'yarn.lock' symlink:\n${listPaths(errorPaths)}`
+    );
+  }
+}
+
+function listPaths(paths) {
+  return paths.map(path => ` - ${path}`).join('\n');
+}
diff --git a/tasks/config/run.js b/tasks/config/run.js
index 857895d75595c..4ba450129e93c 100644
--- a/tasks/config/run.js
+++ b/tasks/config/run.js
@@ -105,6 +105,17 @@ module.exports = function(grunt) {
       ],
     }),
 
+    // used by the test tasks
+    //    runs the check_lockfile_symlinks script to ensure manifests with non-dev dependencies have adjacent lockfile symlinks
+    checkLockfileSymlinks: scriptWithGithubChecks({
+      title: 'Check lockfile symlinks',
+      cmd: NODE,
+      args: [
+        'scripts/check_lockfile_symlinks',
+        '--quiet', // only log errors, not warnings
+      ],
+    }),
+
     // used by the test tasks
     //    runs the check_core_api_changes script to ensure API changes are explictily accepted
     checkCoreApiChanges: scriptWithGithubChecks({
diff --git a/tasks/jenkins.js b/tasks/jenkins.js
index 8112b37b47224..733d665630019 100644
--- a/tasks/jenkins.js
+++ b/tasks/jenkins.js
@@ -28,6 +28,7 @@ module.exports = function(grunt) {
     'run:typeCheck',
     'run:i18nCheck',
     'run:checkFileCasing',
+    'run:checkLockfileSymlinks',
     'run:licenses',
     'run:verifyDependencyVersions',
     'run:verifyNotice',
diff --git a/x-pack/.gitignore b/x-pack/.gitignore
index 93b9552d61044..40a52f88dbbba 100644
--- a/x-pack/.gitignore
+++ b/x-pack/.gitignore
@@ -12,6 +12,3 @@
 !/legacy/plugins/infra/**/target
 .cache
 !/legacy/plugins/siem/**/target
-
-# We don't want any yarn.lock files in here
-/yarn.lock
diff --git a/x-pack/legacy/plugins/infra/yarn.lock b/x-pack/legacy/plugins/infra/yarn.lock
new file mode 120000
index 0000000000000..4b16253de2abe
--- /dev/null
+++ b/x-pack/legacy/plugins/infra/yarn.lock
@@ -0,0 +1 @@
+../../../../yarn.lock
\ No newline at end of file
diff --git a/x-pack/legacy/plugins/siem/yarn.lock b/x-pack/legacy/plugins/siem/yarn.lock
new file mode 120000
index 0000000000000..4b16253de2abe
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/yarn.lock
@@ -0,0 +1 @@
+../../../../yarn.lock
\ No newline at end of file
diff --git a/x-pack/plugins/endpoint/yarn.lock b/x-pack/plugins/endpoint/yarn.lock
new file mode 120000
index 0000000000000..3f82ebc9cdbae
--- /dev/null
+++ b/x-pack/plugins/endpoint/yarn.lock
@@ -0,0 +1 @@
+../../yarn.lock
\ No newline at end of file
diff --git a/x-pack/yarn.lock b/x-pack/yarn.lock
new file mode 120000
index 0000000000000..1fe23b6e377dd
--- /dev/null
+++ b/x-pack/yarn.lock
@@ -0,0 +1 @@
+../yarn.lock
\ No newline at end of file

From 66be6ffae8ba305f163435e8282719b4560348d6 Mon Sep 17 00:00:00 2001
From: Matthias Wilhelm <matthias.wilhelm@elastic.co>
Date: Mon, 27 Jan 2020 17:40:51 +0100
Subject: [PATCH 14/36] Don't throw exception when refreshing fields of an
 indexpattern (#55836)

* An exception when refreshing fields of an selected index pattern causes Discover to load incompletely
* Add index ID + Title to the error message for
---
 .../public/index_patterns/index_patterns/index_pattern.ts  | 7 +++++--
 x-pack/plugins/translations/translations/ja-JP.json        | 3 +--
 x-pack/plugins/translations/translations/zh-CN.json        | 3 +--
 3 files changed, 7 insertions(+), 6 deletions(-)

diff --git a/src/plugins/data/public/index_patterns/index_patterns/index_pattern.ts b/src/plugins/data/public/index_patterns/index_patterns/index_pattern.ts
index e3482dd483035..5c09e22b6dbb4 100644
--- a/src/plugins/data/public/index_patterns/index_patterns/index_pattern.ts
+++ b/src/plugins/data/public/index_patterns/index_patterns/index_pattern.ts
@@ -492,10 +492,13 @@ export class IndexPattern implements IIndexPattern {
 
         toasts.addError(err, {
           title: i18n.translate('data.indexPatterns.fetchFieldErrorTitle', {
-            defaultMessage: 'Error fetching fields',
+            defaultMessage: 'Error fetching fields for index pattern {title} (ID: {id})',
+            values: {
+              id: this.id,
+              title: this.title,
+            },
           }),
         });
-        throw err;
       });
   }
 
diff --git a/x-pack/plugins/translations/translations/ja-JP.json b/x-pack/plugins/translations/translations/ja-JP.json
index d1563ff4a0844..b4c85f369519d 100644
--- a/x-pack/plugins/translations/translations/ja-JP.json
+++ b/x-pack/plugins/translations/translations/ja-JP.json
@@ -723,7 +723,6 @@
     "data.filter.options.pinAllFiltersButtonLabel": "すべてピン付け",
     "data.filter.options.unpinAllFiltersButtonLabel": "すべてのピンを外す",
     "data.filter.searchBar.changeAllFiltersTitle": "すべてのフィルターの変更",
-    "data.indexPatterns.fetchFieldErrorTitle": "フィールドの取得中にエラーが発生",
     "data.indexPatterns.unableWriteLabel": "インデックスパターンを書き込めません!このインデックスパターンへの最新の変更を取得するには、ページを更新してください。",
     "data.indexPatterns.unknownFieldErrorMessage": "インデックスパターン「{title}」のフィールド「{name}」が不明なフィールドタイプを使用しています。",
     "data.indexPatterns.unknownFieldHeader": "不明なフィールドタイプ {type}",
@@ -13205,4 +13204,4 @@
     "xpack.watcher.watchEdit.thresholdWatchExpression.aggType.fieldIsRequiredValidationMessage": "フィールドを選択してください。",
     "xpack.watcher.watcherDescription": "アラートの作成、管理、監視によりデータへの変更を検知します。"
   }
-}
\ No newline at end of file
+}
diff --git a/x-pack/plugins/translations/translations/zh-CN.json b/x-pack/plugins/translations/translations/zh-CN.json
index 27787a11e43ca..583f181e148c6 100644
--- a/x-pack/plugins/translations/translations/zh-CN.json
+++ b/x-pack/plugins/translations/translations/zh-CN.json
@@ -723,7 +723,6 @@
     "data.filter.options.pinAllFiltersButtonLabel": "全部固定",
     "data.filter.options.unpinAllFiltersButtonLabel": "全部取消固定",
     "data.filter.searchBar.changeAllFiltersTitle": "更改所有筛选",
-    "data.indexPatterns.fetchFieldErrorTitle": "提取字段时出错",
     "data.indexPatterns.unableWriteLabel": "无法写入索引模式!请刷新页面以获取此索引模式的最新更改。",
     "data.indexPatterns.unknownFieldErrorMessage": "indexPattern “{title}” 中的字段 “{name}” 使用未知字段类型。",
     "data.indexPatterns.unknownFieldHeader": "未知字段类型 {type}",
@@ -13204,4 +13203,4 @@
     "xpack.watcher.watchEdit.thresholdWatchExpression.aggType.fieldIsRequiredValidationMessage": "此字段必填。",
     "xpack.watcher.watcherDescription": "通过创建、管理和监测警报来检测数据中的更改。"
   }
-}
\ No newline at end of file
+}

From c71f4dd1626bcbf0b67369a40dc194f6be964964 Mon Sep 17 00:00:00 2001
From: Joe Reuter <johannes.reuter@elastic.co>
Date: Mon, 27 Jan 2020 17:58:46 +0100
Subject: [PATCH 15/36] Switch back to first page when fetching new items
 (#55821)

---
 .../kibana_react/public/saved_objects/saved_object_finder.tsx    | 1 +
 1 file changed, 1 insertion(+)

diff --git a/src/plugins/kibana_react/public/saved_objects/saved_object_finder.tsx b/src/plugins/kibana_react/public/saved_objects/saved_object_finder.tsx
index 1522c6b42824c..2a43f29024ba7 100644
--- a/src/plugins/kibana_react/public/saved_objects/saved_object_finder.tsx
+++ b/src/plugins/kibana_react/public/saved_objects/saved_object_finder.tsx
@@ -164,6 +164,7 @@ class SavedObjectFinderUi extends React.Component<
     if (query === this.state.query) {
       this.setState({
         isFetchingItems: false,
+        page: 0,
         items: resp.savedObjects.map(savedObject => {
           const {
             attributes: { title },

From 17011b75597412db3415ba0b030254dfe3bd0774 Mon Sep 17 00:00:00 2001
From: Kaarina Tungseth <kaarina.tungseth@elastic.co>
Date: Mon, 27 Jan 2020 11:33:20 -0600
Subject: [PATCH 16/36] [DOCS] Empty dashboard screen  (#55727)

* [DOCS] AdEmpty dashboard screen redesign

* Review comments f from Gail

* Comments from Gaiail pt 2
---
 .../Dashboard_add_new_visualization.png       | Bin 0 -> 344294 bytes
 docs/user/dashboard.asciidoc                  | 156 +++++++++---------
 2 files changed, 82 insertions(+), 74 deletions(-)
 create mode 100644 docs/images/Dashboard_add_new_visualization.png

diff --git a/docs/images/Dashboard_add_new_visualization.png b/docs/images/Dashboard_add_new_visualization.png
new file mode 100644
index 0000000000000000000000000000000000000000..b871131805ab538788fd945dfdfc263126623fe2
GIT binary patch
literal 344294
zcmbTe2Q-||_dkwEEP_R}5M@aay?3julIW7?C5YaMZdZ@hBYGDi2+>Qhx*)m`W%b^B
zx0b*6r~JO(bAJE-Ir86g9M3+_+_^J%?wz^wn%A>o>Z%F^c#rWgFfa&SC_*$bFmP`#
z@7(|%-2O}0JnF>2!0WY^l~sQsD@(8L;%H%QXO4lP7?zNP^ZL~!`G>Q{4TjJ6fgee{
zNxvv2k$7X=-+0T&6c9`zBcopanO8W_Oj-`R7akqXGQnah%RceoXW$Gb6=c-8?5%8n
zLknXcqITA23vHX>*0jA{c_!&G<2o*h@t#+KeE{+XvjS50so*WxLdKLN?pTc8|K4-T
zK)g^kvPuwRJLbs5l?Qaa1Hm&>@g(|W@8(9k@ZemN6N4no8BeXJzwMk-@WBt$7n~Rl
zLKZ?PNo=&MN|d&WWmr5g{yytmaqd1=#>lRi^A5;`SuugsS7+f*{1~aM7M82dBW1!>
z7?C@2;-3L#+d`hM_i1Q5b&QhZ6A~o)3@P=$UOiPs&Y6B?F?A8P#-p9-g?D4h6bi>x
z&foab-0173RFu=KPGsXUF=$Lg{t21x?IwIx#$xW>L5c6hc+JTEF{C4!M|(4izf)XQ
zD%sS2^?090mFz(|nX}6zk6B;R1NoS8Cb5^XY;P6^ADczL6E9_F)H0#ipA0|02uwcb
z86fRcp)<3Ve?Rdfrn!wXR*rRZEg}%zdGvtwH1jFC7Zzgo6KNo=3^(0NKe)UAjd?0t
z2j&RUg6W;6nY9+U22NfrlUT|>zq&|i#cSZ_(kmCF@L}j0mw%pVBFfC~63IXl7=T;;
z5x0&WlMp)q2x%Ey8Ki?Lw1V{!QXpm0WnSG0)+N44P{|C_*WAWjiI)A8C(x&})=}wl
zkgc8{_HqLL<IZ&kFw<#r?|bu3ycpH6X$ui*scNG6-!Dp(KMC1TOR7q>G+{r_#uR;v
z@$4;b%{+i}9=8by_zcA4`3P|J$H(e!d!B_8@s{e5G;VQ_iaMs)TZ-+VASdj{3ry)D
z5l&<dEl)fFhC}#VCK!?}z(9JY;An2(lMWz{tQ}CHgWy0OE7pk#?*-&jEI%Z;`=eYp
z-WP0Ex#u4<6a`!;MWWN?I2oUGL%&dOD9nP4)oEVJ3aCRzX)+?~KeO{cjFPs@wYDNm
zjUmsm9dfC{lkgYJwj3^6e^P}H4I^B{$PXTAqgt?Yb`bV6z~;nF3XhvloDX+4|MA>_
zql9YwLqo_`TVorvll0)BIH_aASx4x+*@1yCAq*EL(1g`YH0KYFX%5-zB${s~UB{LP
zBxnt4dBz0%4LAbG1@pGi%1A6=Ef9WA+7D1<vLWVxmvjJ4K|C2hKK@Ak5v8MG$KVe1
zfd?^>ya;_KdkB*IDE!4hlh_)617qXi#<Rkt<FI0gAd}dqpzas%h`mJWA`w}>slIX3
z3bZ)|ntd#^@c_J-3jd14inQO#b*dYA4>kT2kiX`#c_@%kAE~GMJ<ljxGN<X4rY5hJ
zi+1W~rq|EapKFVLdH<qNe}hjY!$RdKzdz@fm93SJHAfYy%HzH0O!}^pTF%<<@u8xP
zwRN@itaz#(_Z~a*%tOtUmn#oe(t1kYuspYT&YmFh{NlO!bA>l0MF`Ejg4CkRBA3@m
z1zO)|wHu2>3p&+Z)g#n<HTA#O81GadUEMy_*Li1)sx_)ZlP*P0XdgtIwC!6uQL#}r
zP*G4eK86tB6V%Ap%ZGJJN4ZB~s<`#DraGq{39t#MS-V>=RP|L)=%wh{R!3X8*+5gW
z!2tpRV3R+=NL(Ri-_gv1oudA6&ask_rd+gKXd!7q+~-Q8e2ukoPNQ)>j}N=zGduMZ
z?~PSPlh;LJ#mYSwW5bA!)g^2jSsFvU8;(mh2sWwLake5(YS*(y{LHh>=WRbalnu{U
zNjEdJ4^63C{TSYlT)_YOEbeFDyF|W0KAgzoNSVlY@?ufQs1K1Gk!Ddz)Z<iO!Oy8b
zQof|x@mmW}aSQNgSk!k{bsh&${p{;kep@qH+`pY$7vhDuczGm$v__63w~O$NcpRaS
z_+E*wm!|i5@01pVO{nN$k-e5sv4*XsZGc<ei5vB3=TCX7%KoorBqpCwOv7Kkz3{NN
zu3?`NpL#syAjZ+))Ue_n<zC91rmC8XfVoU9@0|{urkpnH(1{j^1&gwKSh;&{S?zSY
z6~9O9Ks@kV^fpJAk1fLcA6>`qyxJAvOV1Z6eed9Qy}GywaxQe+@DOlQai7`r9#?7S
z_-$W3_0%J<Aq%B>7Pp%vVIb}z5$$=kVZD{IP&apU@j9aLs<0vd)RW4`8R72j=Ec_-
z*XVb;d&qORaQ^y2{6yej<zn|>$4s~Uw=RxODS8{t1UrGzp(U;;P_@|eSb_J#?;-E~
zxo38d4J!+q3McRWA8Z0_F&wUk4!8`#!6C&&b-iPju9JVZ1JuWdetuqSw=x+vAu~~H
z|K9#|p?_q^`tyjOvJd}^UA>jJ88)PhQ4k^?T?Ow86XyvMW^|EXiL}%p)QHGI=1>j0
z=AJ3|!4D#IsgJnFc(ur<9_Nz?v6YDKn)yokTKj6ZEeHR^)h2Z#4GB|u@#V{pFA^_;
z`0iOcq)v+UdT9+84@{C*t_?PcD|o1`roVE1v+A-+tMZJgi+NA&x+iS@wey2l6Ri5L
z9{jkT?w?K)H=dO@0?$Pl_v|U1yyQ@UX09gGFnl+jXJjEokX+)k1v~zh{q6C^uMgfm
zk;X6>Iau5avV3a!grYEl7qV7KP_bs|0k`jvTP&f8NmmiM_lf%#Eh{L4!@lQFOKPqy
zuhJw@#jf}sq6eXNw7B{tqg2qC{|1S*b-#%Gcm-$WrUKafv7yW@b~wj8qMo9Xe9s_|
z{e|xD`q6jR3%_Rr=L4a=1--n9==y1x*T&%)+oCo<#U=&$qth$km8?pvOYE2R-Is$2
zVz7=ImaB4T!pJv{q9%%?@Y48+r1%71!+t~P3Ug>ykKd=#7ltEEW9B=jZXIqpZW&w9
zu|2joZ2eq2lic>Q?eeRgi&1+*{WI_D>|Rbr_mB2h^c$`$tf=TK*A`D5R?Db6=l?FP
za44D`d!r9_Sh8=ZoAL13Aw)lUD%NzxeswWBFrPv2X7!DE1H9qTU1I7<ZNm;lt?{?B
z^<CD<Bl}V-$ML2D=vt9sQPJ7fj<J5wShvk3QJ<*O(%Y8SuX<C+3^zTur=jy7w}&Fy
ze}#(01V6Es*mSQtO`a_OeiC`P_~46)bh}h;c6kwNdEt`h`oWmR;OZr*JM(EKzo@R)
z%cD``$mmE&{)*+{;KLfYzEOsX*wlz<?a4x2uxst$pzs`wVY@9aLYiW*x*R!Ra9IET
zu%c^aNqf44-^i^F>C}Irhb|px9;<Dr5;E{;oPFPpmUrzMjUEw#I%GDIIc+W4pY9ZS
ze4X1^kK93cc#O@I_#k`+_bg}qj_CJVhuQ-bf)#$oyrD~y81~UTN&DmIX2@xnUw^N@
zR3Zv?Sr$5Vbm+0MXY7NYHJp`jLUsBE?BNTm02kbJMx=0g8;2VcHa@?U-HG{L%3(~0
z8aW%Zy@z|R(UHk<*-^WB#H;oU9e?&cC^kq<@*R}&Qs?T$+DOx&L)KJNhu;Qu>RG~Z
z^;O!R+SNUiIl5n!%Pu?$ZB*9xohGDSy~3Q`y`RmD#a%`lDC%03PfN_}O+?9Xt|pH3
zi0QtcO`i5apYev=Uv`3<3q$?jKBYs1sV}CRi)N(X%hb(f;l~jl+>(OTTrR|*7@B-7
zLSY7yRVth}A7-eW&M@^{<b5tosNSB1r`Sk6M~|l18)Dq#_+jjck~^p0#_nx)i|eGQ
z>xzLv{`8+e%omzW`xqEl53FD7yw_1t7BzFU=QMfeXll;sY43Df8UsVzQ}p)I-u%4@
zy{EmMgR7{g1n6HSL~pPExy=Ql|5uUswh|y66?J-9M;CK?0Zx8SZjdA%Jw3g+%R38E
zO^Ez|#BaYzfUMrXcM|2|^6>EB^x)%kbg|^(5fKsL;^yVz<>k07!QtxV@ZQ9e!@-sD
z-<ABg9*DWCnTxg4duvAr`hV&*F?Do%F98Dmqv-#9{@qS<PwW5D<ly?BZryf}>z^lF
zJe=HI|8HXNtu6jP#Qu5mZ?S*%>)-0c|EWw=-P+UKP8VWrZ|>lF+cZfYL4I!Wf9d(Z
z9{o>C|CgxF|A_Jlitzq#(f{@6e~JFn7Ev`9Yx7$({bLMC9&xV!>)wCLi*x;BssClU
ze-F#Q?%s}zB%V0e{~2RRycUj&TaS>!cma`q?TNYFXz4>EQsI|!oEZ=4sX_Ml%?P2;
z;9g0e8;?C@kKPF0M~!pB-Ql3*Z#l7w0<2GtKc?Vf`?p|L=nT&1w{$yy>14vhRg}Ua
z`RI?$M1P0N>6ci!wZCmM67N|4KXv0_-k0LU{yR;kSa|*p2g@7vcWc>yG?l!@cuymK
z@#{5s{474-FeA%r=Fo1i=&$Nva!UQjHY2){FaE+bw+*NbX*qu*T<`II)NXr6upu;5
zrHJ`)UATo3b?)%!=!9n_x5#8<jFELq4%^Z2hdUYkzk{>yL43XmkV-?L`qRGmuYQ!0
zfzA*KxxM{-S?4%P&F4OYAdI%6J{WADoV2j;&3Uz+`&V6t8DJSd#XyP(TN&9oJSrTt
z3f?Sy3f2yL<TW%r>@3TlowZ7y`m4OW$ZodguiEWoi|hO6HraLF9@prGmAtyTryDGH
z>`V!wzvTZ*>v9Bekz+jhS#BT}iqqfSy<RPMUC3NW^N1WopF^1PSFNHCNNl0N_b(VI
zH?a53tSNUqpk5eG`qG}8YvEyhFqBl*5amWl7;Orrosl0u(Y<?oq$|zO?-xu?f!W<}
z?U@r2>)O!3@ZdAG&3&cuCAC<YpIpZ;x{O&gFEs}_k#ll8O`|bsnnYKqTUQy*&sch-
z`~jW*s@m9>x-N6gm3M>a(6RmnSk<^WiqAfaVhew2D&8Tjxi;*3)62Vf=D8O31WH2G
zAt*P}&pzMI$FCd!S2>F1DnVD57+a%x!>`pZg|v}fWu5Yz-TOK2?U!{N7j-|n7Q25O
z{eHu}QPYa=9xLuk{mv(IP+Md6q;zW4YsC<?<$W!N{-HdVRNly`m1KQZbK#RxZq0Uw
z=|ge83p8ZI*rbQS?;?GnMl5=atFU(EXjd$9O&D#BoSn6HKRY#5<am87oXb=5E9}6+
z#iatgx%FcbiF6<&Buotnxfp~nyZO<Co>)V3Q&KV=zJ4tk&##~3YMh&%wjpGE{bzCU
zDld)xHz`)=5rh!s%rt#@dFg+e(zRs4zUt)cywK-<`$>z6in4Hb7lc`)qS5HpizABu
zcigb!eG@)W<b%n_%e|ee7Duc7Qx?u9pLKP0Y3I96-c?IF3XY7#^<Q1B`RcOS+Gf4v
zFKX~e8lbs3@tmlsudEy?Bh+)>NpEpAH3j)*MPFQOVpzz|gtm6Y*qUGOPU}9lQNV<i
zbTtSF32BeDq;v{pJK5S6Ew~2NWo2g8W72K}-YsT*IRZ+_F&N@0AK!y3vM}UKpsQx>
znhovcO^>cAo#nTuVxnV&mKai#W!@5>$=UB$=U$|3mO9#L$%F`g!!MyXcpHSCoe^We
zPNiHo6cH}CYJ+9J__Zw`{%ftjf5*bshphvrQm#x!lE5uZR9M(<w%OP=aWCo-rh56-
zg)m~gW;rJy^>_Z!6!jy9P(9`gZn^BEJgn@>oSQFMa5tky?-4PqVuG*)GdT=iKE5ZQ
zu)4Nt+E@J!d=T-$%totBaW9<?x`qZH2AYf4t59>VIzY?m>1i4fo#dn8p5MPs!J9;&
z$QZh@9<f-g>|+j85vm8VTWvdH&$z>v1v75+{u9~dbGB6q?h>}Vlr-_7?8<M1p})S?
z*V7Yry_$44s*Ld+*vj@jR5Wycja*#oO)3ostg&>wtt%+cN=>y%)ZP{F*qi>vDcL}1
z+bkG)Z@x!CXB?-)vec-N)0A;F^3cJjI%_af!ZA}4U057YVmM<A&2nFMLp4VlUP@=!
zRXT7Tu`v7D+cyFRVHYcfSoGP+cbb2Eaj;9IFh&zn)74FUz^7?xOTb6lq3Wg}(7Q;v
z<LF$tj;qvYI=rl$I#zx)OWdIo{&IvAJH5)uXBSR>wBPDt9315TmJeiKTuQoPUhTF2
z);t?fFhm_)MwC4}<j6Pma+$HX=eW)=F?fA5(4AQTDYm)~+9+<?x(wPzN~(&seLbx$
z@f(w{-DMdY_7oT!+)=xviZW~K>|#zuoh6xlZ!0IuD|-~i&DR}Tax+owmIk7{EWNq3
z)WxAfZ|v`9dmSvksYLjezTm-?WVlQrI8b>KTR7!@c5zhh%SkIzN?5F03Xla#F<_ad
zSATpr^rLdG5=o~e$l|ANblNJ=OI$nC=u;~lFIUADEDbUAzTP%>rEIHtr1r;c>vG07
z)3sRcxkm-f<;6rx_UgxL^|7xtAaMnSuFGqfL(=I^LbY7R(RPK_I46|u^=$ReuW920
zU|T``{pWX?eQsCij21G0KT!GM?2FyCiV>QISw05;<R%L0i}J9+VPmm9Fu#83oZyu6
z!{1kGY99n#Z7E&(HSiuR)<DLS!x>v<OJFQrxC~g|NHx6N&)lhV(tuGRR?;*5-rHf%
zWvd>$Z|BRhgxIsa4sc@A`AoYA&&UuCXRoj>BJ+y3;U_JODw7?J+xecc%DwtFXWUUA
zb}1D5);(u$thxO2wMl49s6uF-TD0ZkpJ7JGh^1j5Bz91uE3frw2p8aS%@XC)4w@xQ
zhi5TQWmuhm1uF(;Ze4>Na||m(jE*t$^YSWVym|zMckQ`WAGYFjmGI0}r{&%79%s|s
z@1yS0VR(=e370lA+c9V-!z58ijAdE#{OZo3O!2j$K`f6enxeNlp~-3GoOR+=C-Lh(
z9;mXa>dD2}saK5S=;!9zqCFXeJ2>J}+m6@y76LA*t*KQS1?A`whcS=aQPExFsI7_~
z^`?i$SZCR{kvNZzj=qN=MJ`x+yeC>8xYPX9%D)ZpL>4(m#tKS})O9ZCa=0S=%!KJ&
zRRJ{vFgTXJ*xhw7Fq`@5gRxY<w;dy%Bix$mv#rC&yhoqNJX|D<jH>Qi!>pNkq!KS#
z8^qYx+12&((O2oCh!_NQF<Gz$#MTDops!NHcTTI@Ct=DDc{NGv+9&#MrZt>r)OG4)
z(DH5x=np8is{2fHz@D8b;}t9QNqK;zk6)fhB*A&3Fld`zu#VYuB-Ki~Toz4$sJrBJ
zdDUoO_AoM#;Osk4lwR>IDXj*^#;eE+Gn$`4*&sO_xasa(^El~wl>*QACj8jfqiP_#
z&AFJ|7~#zD(U-cZF58c~EXX=rQ(#(&dyh;YJdwt7-9Sl%_laP~!-l6~_X*f~JtE#_
z_o<vm3kNk3?Z?1!R3LIhAWc;^cANV|Tf|{2OI^v}4srl~n|pXud)FgF-*6U1IOSJa
z_CU%Hf_t6iFK>Om6oJn`Ij+oYOJy<evotjHyYa7MkiZ81XI#^C6I|-(T)hbRn?9;j
znwSvbywM1k-!P~1v*sJXLYEz6>>^J(`*3##1&Wv6KLFnx?XAu>iuDhI!5pSh&DY-K
zgC0wO@-B1e)f(83tQ_A?OEy`yxlg1mCSNV<c%0}0vUhQQV78?u&c(_8XaNT%>3g1i
zH9uB1jyp#r<A20?nG)ksN(Ll&hM^YB1mTt8Z$BsgLXYq|UYDlgGB6VN(;aJdY({HN
z3_V^lHiQ~uzgmt1Hi`RPi+B1CU7b#q@|3jF$(;}Ayzu&&)Zko9EA!>7Tprw+F20Ey
zT_YmM9=$759Ji<CMFB#R5GV6OBiGFwXA!LEC4Addk8m%k(T=o)?POV4nHgtt8naqv
zIwB~92lTn|!^IbS-!J_k$#Gq3v;t-tL^r?IGEAaRWnafb+Yj=ykWC|mv83q3y5Um^
za;O@A3>}#Bs86R%m!OG;Z$e%k$-cMIe0>tbd%ea(2M>HJ-QW~Krg4?s^x|$wWfKt=
zv!w!b!4vuYqBTKDcbs1EI3k-#aKwzFJ|#JeXn0V=l`?H@PRTT`IkH@cKKMQy*WIi=
zt3zI5@iE9x96&r8*F|J{&yO`{XPaC@y;QG~9K>M9+P*s6o&b{aJZmC@zEv=Wa7!}<
z!`FT-h047Rq+e_AQZpX`Pqn)<LSzi+LammZtHSn!5NC8_;Z)`Ts#ye7ds}!cQZOmk
zJ_oZg%C`eB!2r^WT9==84JMbIC2D8{veO54L-;d;fZp_n(um{ZU+t>{89x`PY2YO;
zwUGxVBF_oLkY8u8IH~Jf$YR@dWiso-ysc^JYTNibKl}(`vp0XqK!o)XhnQn6$r$!L
z2M?Qa`Gf-{G%C)S6BpW=dLgxZFy#o&BFU+8l%2w#VfZG^6fy)L9$e~*k)h$!T?I(1
zKZDSTkDQ@V3u=Jy{Un5_j55-rG?FOxcRLPIkB)JO)dx3zc7{u7<+f@1FAEc8pti7+
z7qIXtxOn@tiJIwju}P<#5nf}N^i>c5*F-nNX4g&ftT>FF`MJ7o=&&U2!JpeKp{v}7
zS`HEtLqs>rby{lNjH{t<8!8OIBt)1*VuaO<$$Shg_@+W5Eu?t`rNgR59b{fV(&*WD
zW6QB@graKpaE>0jj)@O{|0ma|Qko4VqDvJbUWp7Yg(qf$eKclqf{g*KKwO3r@6#(e
zlfWkm>FAU3qqZ2v0btz0Kuc6PP=k#$OQ4Q0D|iBa@?x%U1BuilekAFATy`E)<_Lv0
z8df$|r;1lfl-_Nd?}P$8By4aFbFR`%QhL3flIUH25BwOE91FyW?*?yocdeeCeR5%<
zsSE+ZS!kF*OF#xo!C+|`iP2RRa$+J7uHZ5;CVgUZq?M@Bp92NRy!5*NJ|pQV+)q<c
z8U?qR*j5;g9ez``lqpytso@1Ar5CLuCAQxW?S=#)nY>3D&TRYTCpbF~w3mj*Tp(1b
zxF$;Sf-*w^-I#O4Deu7N^)#`Lye`Cp$6;?5XEXBFePW9rumXlPjT((O2IXG-naw~o
z06ZwoXa?Peu`RLHZcxoP8`=ypbuyj-6ZeVniPI?YWy13^OOF_gP)jk*cx$i~7unzh
zt%gxrl|THBpiPp<&D_qih5WQ`MkEo|li!fOwMt+R{TBu@KN<Sqf(Mwr8S@H@iWT7N
z^GZjB+3eF^(@5Uc(DLF^E;3Bq9CB=hAQBB<9X0UH6;m+SBLX*vD)<>d6Ug2gp(w}5
zNEbl_&<8#!|EjBf9t8*mh(?B3p0}ZRS$7t~6xUc*(@(;OwqfTj&?h@MpNAWOsSDui
zymNpCwPYMz^!}bNovj}n4_lw)=wdBvC%sZ$52Y0!oK3_)zK0RkbbYy{OFTUt(bVJY
z?}&s;7BfQRm{y6f;hyIU1uX~8AhfvMR~aYBJ7y9|?gwLA*Vjg6j=BCkF@5(<bKc!^
z4OZs{Rj8Ld#nvm<O<rzDaC^yo{pn6{Pk{c5d5GNM&)u^&#fL@U_m0hEC>n(-GMKzD
zY~z!Rzlq`O=oKWu3ImfMkOZ4Mjo|~mHz4iM{x~I(H85ZXsE!B+fF|gZrKb6W#7Jeg
ztI5B@xou*JmbwT{Fu*B5d3ur@<J}8}{(=5@7%@R?s1%kM%tox^9)R;yW?J@f42+n0
z2<&zc%ktdE2S;O%$&<*QK3XwW{Zy%gu|v{z7|eRK;bCf8Ts2H*SuTvCkO3AL@MEdh
ze89kZ#thzZO=Pr?>24cV2XH9vBzH!zEUm-Mwtm;gj}h(AK)j;&mc85Hc<g?w5inrt
zyHo-O+$N0&+7LrXxirnEwnxZ!wB$*N;WKhZc{-SR_z=jk!k4tTb#8kqyLE~MT-(U&
zFv=5FY_P#WM8{Q}4r3pm`4<;o!>U+No+uuXWIp%Pl=znv=n%eGO55nH0#Uf19%i36
z6=|^!DUF1JjCzPCUckfQh#!Xz8bWInV#s%Wl`Bw2W^5Y<qs5uFrc)|;Kqm0!og_OY
zT@y{mW$S|j!acu3Mg3r%vT5Y(bM!tTJrE>AVOpq`B`Np1<dl*Z+s6%?p4-V+e}If&
zpO8^qCODYrxShy0;vil?-}^A>j@wZp>?TpHp*kQ^;*zw|^BLO-2@V50y(K^7-qZ3l
zDDjDmEi~7!a$(@BII#~UKNbOrjDL)?I7RIHAIy0lbI3}i3c}Xe@%v5U88IeiR~0#P
z!j+S(L;%Fd(bHj{b>mNt;9QS5$$9N(9U{Vt#!S94^wQsUesqz?lHe|kbpZp5Lnngj
ztCE)rw#dw0q6}+<;FM+5%cNdZJcZx=t{tzMiqAtuWU6kLi{?jjUc1ktam;*Op{vZ~
z-}le~CwOpxt7+U)$w%#wtU1`g?lD^cIMNN2)4{Z7XAWA;-)T6(6{??2_^ER^MS?8`
z_lIj8iFR1fFv>O53D)saoSz)7Y!!I%3Ll>TssrUb5+`n?$3un-sETxj*gH6!GEUHA
z%cKVmg#`D@y}D_9p7VIjk8L(b67=<t$6mN12h@yxrD+@!ixRY7TvF2MbI!Ag;Iaks
zkabxyd=jBzT%!IG7b&t^-E}_;csd#;Nenz_+AnDVBu==kMTw7*D6GVmL627LMcVLN
zwWIH+aX!y<oiS6$p}Xw2f-J8gX}8Y9fW?q^Yy#+~cibe!wro7v+M<-+-Rg4in(VOP
zlN9W&n~UhCZlIIoU!rLwB~}zR-K?D1+1lSoo$8A^osLv!X>am%=q&x|tVvTT00zH`
zrj_XqQ1=JWiHZ4y5O7vZ`hlbIWThaZPjbrWAA>Z9+J&DLK;G3Y>qN`Em;DB{%MF8!
zre%6!G^0RSInS(Ps&b5ocaEzRvIGTFZxavD%U{Z2kRb4F_7MUwbLERJ>Z!|L^bfYe
z1Y40xV;i0rSp6Qv{PV$L!IjP8vCW~}{e6Fxa6T*SX8ioN%EZ9<-&~t(ISK1YS?%qD
zcm!uDdgTB$iL4*#kMec*kVtNF&>RpmG`9(uxqR93@pP*0ahTaxSh(A?d{WNBqs%Iq
z0#h1WZ%K%)z8pfPgF09e9tr2|Al9ZXcj#u`B-qN!Jj*nb<@)vHUXIE^dRGsz8yqeP
zU)l}*Xvrz5%_94#gU7t?2e1M76wV@^wy>s((1u_xQu57ypYyw^j`S)Z&BGX0&QOJ@
z+dFsLv}Kd2%8i$gDR|3#aX6;m)^8p773)=Wy9diYE`hwRznNF1p%8wh)98Eg4RY_>
zSMdh6@v8(^cc&qFi*IX3EFE(Bzf)|N<MW8_xaP~^`c`ACPd6@UnW+mlpP5x=sGR4*
zr=6vOKTbF?_fH!;$P;4)`{z~`!DPz`+}T1Xy?)}EU}9yTS}}DH?hxz0dPUkFB)pif
z8jAB>nE6P!GqeWCuZ&HHOpZj|?j4ub%Vt0rFQ@Pgb2*|bWvDe#iu~l*_u>5Aj*LIH
z6U?H4R_}VuLWE_)An_C(^k*r}K%sXs5RGRQLT4#{E_w8wWU;1_P$YYou8MLW1zp)^
z$sFd+X*^w3C62O<uaDUC;D!3IF+MZZ8(U6Y98RZsmcsO2t+Mw9*i5=YJ9TZ9S>80j
z`i~Dzh7;3o(oXnhNk{DLL+IH%_#+}B@>DvW!FBZJ1{{lQrH`qD#lFA&9@Pi&gZn&V
z&i8JMi+$A<SN=ff6(1k-R<K(S<&@dZDXPoRS(ywg+hb2M-X(Ktv?R0yEZ)xUwUXc)
z{E|ld!@Mm|FobE0c{mox`@NVwNgT!?`0`ZTtSfcRiaok)DOB|4VleAz*3zuJ0^cVR
zfd~0<f+qZW(GvQ)BJ7BQa_TK}K5QR^8uxOy_!#juy_SrByxF2_;Dr(oscVb4q}SmW
zx~I6YL)S1i;5J8IlUe?l{_<gpG!$t9<29vRWDE`t8nbKWal8{Ur8qxEEIe6#BQtKB
z(cbcm8=m2EJ%#=;whiGY6l@Ipz{3L`SMKUWK>(O9gTq~^sVCa!GE>s_XuLY)!PF;q
ztBxVvZ=ujifbQ<BwH#jL6KUKw|L+s<tmvrA-1#6UGofG{IJRQd!74`=EGk%i-KbDD
z4ZztMICHKe=0@Lpt@QJ{l;v}_sVKRIqPwiGR4{D^4%`+9va_>G05HZaP*__#H+i8g
z1VH(|>}`M!f>9s3MS_lpM-2P)Q3}f-2nzrY$jKd=CDV-&8Uc7%5ab_ZrI^dJn<7jY
zZY5R3u$#@1^R>gg`#c;UZM<?`L1`=hWrHH!`QGDbkJ}?k(*&)^;c$(0KmJY$I@>rN
zMjM7teMQ=(5%Xc?e(?1-0E^3E$Co};x_Y~3$|8XztI>j15oTYJ*Gq;4&px6q>*f@7
z;$m7t1Z0lWwM%FDxr`9c1IaJnK7=bh7%$b^JPW}2-W-`EDExS95S*1Dxalr@J7E(L
zTM-h`b@-~0nc&8{0Y}84m#=i$szN7%t-$9pX%Gw$&zu?0T(Q|04vnH4_-XFtPo$Z|
zu+RzIsiPriKdk!T{GeS&Xe93eae?A@xOL4jdSfIX$XPA(S(Bm1IzmyJ8*&^RGb(-F
zZov3^0o`6I-DD1Xbf(EhZw9mWc$(v0y>)JAeKe3E1|1$fJe+A`%Vl@Qe!OI2xL@bb
z5$3b{&fcB_<7dO;GsmT)>>GzSc-doJO?-KheHYR?9qGge@Ds#ijn3qxOEe9C=WlrP
zUA+x>ZiA`LmP9FTB$yZ@JH$gJlO=X@x%SJ#d;1L|f-;H#W$N0?ctb-=n*<jqHEJdR
z?v!f*1c2my{R8|Sdz>di$5eYV`}Djxr*H>Nphk2`IN%9u=MT~x28b}1aU(}gu(&Av
zDso+VIV}h%|9(W{*l)r%f)_bG2WDT)=wDBx!+r>vl8$uQGlD-{q-vPlr}~T)t5?IQ
zhZh*vXobHpj7E7xa8=cDgY|<+OJ$SQI|Hmhhs5@`fGs1bB(FS(C|1+Sf5_D9LY2nt
zkph3nycO@*JuIReykXj=JbQiDb4SSQq^N7zC&?sl%q4P~kDt6FG-HS8{|ith4xxV}
zO&^%O1-`i`ngEsQz;i3%@^K1@)#+#Ws7G*aZ9oa|A^M;ztDJUMuo-=-L<}4DFp-UD
z#R=#deMB6unxBs1eW3vfriMI+!)8Ae1i`|vJ2Z^AjGK0~Rp~CNoMk0CKcO|XX4|cT
z3dAAp(gq#k@APz%9buOn&crn6i#6l&%q}JB;sX@%FT4OCE;w1cGjjif_Xxu+L}0_(
z<^MC)NKcPtFz;<Q*HwoCM7)fV!Qe9#`O6GZap{ZDhI_va+z;Vl0LXfFIGa={v}w<R
zucoG_+3hRFfJ@@H5RZ5zp@?MBipS-v5<@<ed2v-&Lo^^-pn@W{?t1X%V(vGWIXu0a
zxz)njy0F;!{Q6|P@;3#HLHu%KBW{tcrk4lj{6h;~D=kQ%GxCX9#27c5nQ8y>M0bQk
z_#8Y}_!(g<DY)2!vj68`XmXItvT3<vOl5A#9ibHm=789Vcn6P9TpQrDUw*!Nw$U2C
z4>hSqcjUZySW)Y8=D!_`M+CrYfA*^1blhhcICqO(7f4cqEKfwJpi_jsx4x04-N3O-
z>Fr0Hr6U6s0|`*lxR?)!{eh3^i=|mwEF{{fK-*vTLkd7}r~ND|kyi{oQh<-vV$oDN
zQT2r8a4h#6PAn$K<I%ZD7H0dZc=#2mhJvt*y|}M(njK$hRloBKfF}^Me?Zmm8S?Ek
zoK?7jEw`SYePT)sP%bS-h-`5X>=aP^5>yINYU^?t)g7IRLGYIR0CSZGySKwY=k${G
zR&DuO%B>{Z{f5mhfN+ovQD9hPVj$&xhWlo+I)U>aSdEDoaC2C(r6+*>xFz^UG`3?k
z__8@;K<IsjhcaZlVJ*QJMHx3WoGZsZnr8*@x4?de{a?NY=1-hENF^8VnWp&Npkm;W
zM+IEs8$^X3?Wv$m<<lt+1!WnrhlJp*Yxt>bReF$c3E>#rRyF!i)VffD^Si{gjim59
zn=MBQt#co(m*6;X&3PaO9JY03m!FZF=*sp(m)+edGwLEG+MB6Ukrw*4%SV*-+KJsT
zan0FAz|~HdulNbX@LY;|nWIC)lv~;#g6d=RLe$P+`{}&Z4i4m*8!0E;>_Ajltm9L!
z23~yNuq7fy_=s1+k_R0Y8{a|4?48tZip!<l>g~_j@0J$}#bG>-Yae1%R+GoboEVZ%
zblrFl!oUlV)fVF^sQ%r5-yY{rjJN?ol4ClC6}-X1j}Z%Q>mD}W7I>}PeH4{`-Z?{W
zB>ly8Z?=)7?pcH1>9(ARYPgjIq<bObLL-?esI=~o=Ol>zb7|{4!#iTtnAkR$L)vth
zW3+OvnD>V~nu@OLqQ6m`tbZb%C9`{fAGe^ozN*2kqSpa-CbH9Xnku=PaJt#lZJCkI
z3fUki*53p5e(08lkc(DA4JbdZ?-h^Q^Pzj$+$y80b|fuPDT7DcQ&qnX9cKEN7yHtL
zFKs1)r6QdB$cati4`e$ibC%wXW>gKjABq-d9rbK^pFqcoN`rd%h#E|q2yAi(#7a4#
zL+<F3cSbX+2O(~xDY{0bwVJf%hG3i(ODJ*>h4?hC;zqqTnNYr*?7bxb6}5;zX!hMb
zZFjB78n5XQ*;~r~&=+?%{DE3&9uHee$lY#kw7gPqo@+_5Hbd{Dl$hax+OMt0C!$w~
z@6y#ioyN|;c8`!Jh5g|CJtOBG*O^(}U4}r)2*$c5rax%IFEHd<g6Ii4d(E!aR;b(k
zV?TX^LJVy@<EpU3=1jwx2`@>Pj!H-QYmdeC(uB_ngBdGIi3FQmy*4+SDE89Z-s7zN
zajQQ|s?LXv6>39P|Llx=oj{Qfdy1yi8XSzqdTs5K&fIjNSu0-s6}#2O1I#iKL+k}5
zS${a*3>3cpbEb7SY}i3Epp*oIVF)fvGWR~7f-J=MRsQz2<5O;tgEzhBjwfg(F@@3c
zii+v!MxT5UadGzk$mnQ+r6n_C<d>7Xt<$$GgCBX=O*$e07$zWW95DvTZUE_czyFBi
zv&90&IBcdNlKFKmnDX6r8Mh3hs~_0%&F|Mc&?#BTcF{5kM=GWmA?IttmwL(RSDH!R
zneP^g|JE0<7yS>7gT9<!;17EU{n{<{0`6K8F>o;K?CSY`bUNx9_~icwF@z2?5reL8
zAR)J9?CdNRo!bt?GXM3*VChS_1#k3Y{q%?B8UX*hcllowo)+AH&g_RrXEru0csfKN
z8+Dt(7*=-gs;E}}mV=cJa(aqIuSbI)FfcJOQP>H+D|zd`6se?^^*4fZ66lDvzTT}j
zr<VG69=(5RI3LC}(8Z>gawppOmbHbVds4rYbf@tA&&amCA^!0jAf>$$zw=*m(_NTn
zw`D09voY39)2r@=M*de_6w|GgylRB%U(t=`O|c(g7)Hiv{grKg#NJBHbXyOz-fjB+
z&&U}>`eS8BIRAcmx48dL=n8$hm7*5m5WOR;^PiZBAXdkC&!ejMcjk~Mxs_tfm&?EN
zyzx)poOo_Ye4L#x*#62K(~4N&Xbh`m`NQ$Qv!gFrK<rKidTBKj*hM4M)uqD6dno(x
zw1_+;;prWH>>ndJ2nLu1bH@&~MN+)!>pwl~L9qSKnw>8#)}a17*Asd+L=-@(mwYf>
z9!tlFF(mZC&f~BA>6{$96Zc+6p-zu~(|rfjUj=&09}-Gt8g*h!Dx7tjU&z$Efw}()
z$tKJIIL2ti^{bM(Y=wru((8|164@erm^FKoqp^tjx6|*G3_Z3~Y;=q)D(IZK<k?^O
z%`Jujw7M^a?gq1B_1H!;X4PdTXiCMqpSVJeYo%ex@r$6{!HPyjl;xknYnwF0Ae*4q
zT%(0<O`O@whQ76w_?4ZJ4fn0X;;iwi($Yx_!&1&clmqq5nu)vR%DDaLnQrJ-*_E^)
zMfvxwKWDm0Y`C3nMrh>=Zm}N46B;-BO7SD5kWFpFq-~^wy6$-Gx57aO>!PVnOZj`e
zo8Bi9Ukz_6e22(T(&&7Sm3GZr9{uPOALKhPqXswLW}hco;GK$$UCPZXY5VkqB)5%R
z2ce?|FH4F1EQ89y`iwrM1_!E(nbR$V1KL5%aBA0e#@$fpD71R6`iX^hOujyIR;XcR
ze|=P6(bhX7qpb?WUgCjrk8_P0vulUzSfPD`*MvE>+obuC)tc?AQ#CQKK><?971#0R
zs$aHaYhDvjq<g6~cpF(=nzbdmOmtXRGw8D!>te7o@@tQMFx~Eq9p#{VDNj9VWdAD3
z5*&0`!9GQ`tYpZA>hYem6v{eeSDLCUX}|0itU&t?)KnN5{o0$2Q)sM@y39Q6{Sq<y
z9h$v!S*PF3S%elIbkMndfB^T_ObzO~Rb(K(+MnqqtwEtbCD)kN;txg5y;k!KC5bB4
z8n(H1>Ii$4(u&gtgSIQ5lo-<S#jshcLk|^oJ=C*w2Lz_N*}Q@@XE;}8*6LMji(#vh
z(8uv}{kb#9CZ9QbuHL~ToCb%P?V{7q4xy;xxN&y6*ZBimNXtgMxGnCvh9-*{J8)Jd
zthRL56-m@Pc!(HtKY=E?KFx}kbOQG!R*1UoJg5$VB3G&%824}z2zr!!N^}Pj_#-{^
zy^)e#`nAqlMl}a{<46T$0jggR=OWA9`qg+pqC`b<O<<>foPEzIbTW3XdL<=(8<{`S
z%w-d|G<aH3YWE#hvR8@l*+K3r_rNx7^<6GK44a!uzw?5pzOw7Sqw><tG+)k0+Ps`_
zpQ1cAh$$?YYs_z~dh%Xv)?9NuN!rae4Y7xOn#Df2hTKI|I6T?LSuszGceCGI+m$%k
zJgpEfo!r$Ouj*&3nI30F_aL?_Yl@C+P>4MvYg_dU2U>T-x!)fuL<uT;uMid)yL=Zx
zhxHdhcHN8whaA0|hYm)y{U(EMu$tkWN?X1H#A%3+reSHn$OTkOcWmXQvE`(uR({nW
z0y$oZY?bW2bv}ohq;aI+&Zf6+=IM!>&ScqDJ?B}_Hg9Q@X`1+Ng~I`*D(P=q?;7lX
zZOq+fz<$WhWmfw`Z_VGc<}jm%6$&rf*GUNFlL_9vV%yuQs`>@vTvuKD5z<h%slqL{
zy^)$*YZ3Sic+VV4U!-&;@LN5s?$0i-7MPl|oE$Ts)E@iZ`{5*3aP$`n;Xd_i4Jo)+
zm-$Db7O|V#)U}HUmMGlaLm;*pcQ!9|wH`+qU!>Pes;%bF=#C?6n&`ChciHxAr;Y;<
z?4?J)Pb<tPvc^@%zruEBmlS4<64wOKeOuXAeZBvfGfZ+5vF)m3WS@05!?rWNGrAJ*
zhTcG$j;O5tDeNs2TTi*#jzB3_+e3|$T*1W-$UiGpvY=ZAZP}V=bBXceP4p&m6l&@c
z>+R;Fn?I#$A7^hd%RMFS?q*~db9E^)wQE#)ty?pxWn`UOqP<3B<EK7l`KNG-@?DbG
zNrLEcoR=H5<&2ryH>h|~RDE%iqyEK}2XeXEHul16C((G>OWp90_m5dGqOxSt$Y?}x
zN_ik<P~hmn$shatlJQ2hsar;+(6-2yTkq{gj8^-1HqWRaV}EyR>%u`d%U4RG$9C4g
zjQ?t}`q)Bn`?e_Er?#xbpyt0>Z<(AL0LR!;RJ`l%BBix|rSmo!rNmrUFvg5F{)^mc
zUW=3)Yv`77k?}W~>#eTaR)R$zbaDOFCS~e{6z0%Qx=`a^y)+@kz<r%Z6J6L{8e0=G
zn+H9Q_Dgc+YohTnP;gk7A3-}xy!o}K^wF?$t#`tREQm(m&mPil%sWtYxaMP>-+PNC
zH=8vzQ#3`(-pw!$;DAgFtD(fp{Z<A~R)KFeUFG*~8133(R+GiFJN?o$qnGqi=sa{_
znwtl)pDWa;<MjC|`#3cEyB69YiAe7Kn7(VR-G(8a*MNE9sLxux^2paTzrtw#yY_n8
z6iWhA{Uzl99d6nV^%SaqY}cf+(PKzCI!2H$ZmGX*8^TA92hX+oR;%U*Gpp?jEZ^IG
zBA8Wk+B>0OhKPhZcq39WX&OEXuRMEr!TrqoWJLAA$HZbW?Xt1HhSYZXM_nzq;aIPn
zXA4wpY^tk&ra<VAvdTlts2$|0Q6=e7RfX^jx59Xer|bG6OL7ILpa)?px;@vz*RCoh
z?Xe^IQe#Uf7nCdf?4XFewq@^6!}nGC$7pLW&dbLlZ(tcq=tO(Ir2XmX1*n+av%n2I
zZu9==pUEb8s2H9(A5`C2-}lJQ6OI(*U60kXusPkZC!9OZz0fB4UPsOi0Gema@)1Le
zDsa(>c)!P{*x1r=(B|vRB?{_Gx0em7?mW`_+<lpZ_2zC3<IZY+dy+eXTwpu0@~&l1
zxcXxA*;a$x{K4|9ovR0Iv$CX@@`CIHC%Tg3`N=@#&vlSs{`TT$i=Pr$*|j{DDtv~k
z1gI_5<A!RVAw+bw?9F}yADD_=4W*454mXN!zlpVA#-=Sb-6<ak$6$FFXPJfT6&q%?
z+%C^X{usYV(@4lS<P4zh-d?-L(5*{kGVS?}{#ry>lm%3D0SsmMElvO7ZQf}Ls%h`w
zqj|MYR!;xPPUC9pZ)NKw-XC@kdK-gs--b=Vt35Su5Q1ACMH5<X*3D^1FZeWrr29_k
z;)Sp%6m8PrMJiK$Fg%=mGz`M>rXD=8B!EKkFo(S1!HKf_0wgzi&BY-mto9$GSiPS0
zI_Rf>i?7RI{dWy}1DpVSeE$gyzvd=w!IeEO6(OSCzW8-&yI@l1mC`@`KxsR{W(fn~
z73Py3Nnc04rse}$EjY8Hn^796dG3y(VdANMP|%h+x(LDhA%@z=+!sRc_1@zd_7e`#
z4!TmAN5^(<Y@K|EDFu1w)6~q8f0h<Rx*#z7sp|H`*HimfdF~L~O@^;2wkqcUS<rIX
z<7E8~UM1JK{EipZq~<e^95}>bq$eRaiaUEQC@RuTBah{*nl<37C$wGDjvv<7%Zl+K
zZ=aHA6+q!S!B$}&OJ|`+a@}nx%}(<1-SphW&*G%+kaRu6DGn_9%tBezjb|05MVB*O
zU_-YO?WDVfx>mmCtZlyI6yG}XQ^x6JCw&@wLpa-RMJKoeb-KBv8tGGC=f|8Q7s42y
zFqm3<pvy;+B|t>p!<}N=^Mc~wOgv4K)}BYpm#U*;Ab(D8`e)@G!Fi^A4qO98jE+t*
z)ch91d@>vWCX&4hqRh4Xs36(JOB@w!<}I8FV0f6eZWr$AO9XnbYYD=`>oO-E4q@T0
z3QabFc`uG8huH*51+(w~9C+;===i5lI6sq8y7RZ|@8d?I=pnSF<26dlDaN~lLJ-Lw
z7!{G%&Dzg=l9>;=LoQd5#91PlaDM8V%G;lwU=CwprV~2Dr}*K3O(d+^MXdd+uv+{=
z<vn$@kt~3ZPe3c0zP-zibl1MQ6$;L2$DW&<SHdP+#n9J8)~b!8sLQcsQq=T)%nfLC
zLq3}Az5RNgz;4SWY!Q9Z;kg^EUI6fJ<3@ialmQ`U-bUT84YTsFcK=pfDs4Zu<F^An
zy^#bFeD9*UsS=-}k7U#k6qF<xgfGj73qL%V4gywiV~hz3LMj$AmwJ-(>yq;g^ot3Q
zGtt%U$oXWp=oVAMedQ;1s}}MoS3I^uT}DJ`pNKuVGzp?j2-{X)qlr?PD3Ge=yse=F
zMOBNA-?3MyVwepmWMR%B-rI9~s@F+3OP%wKfxnM&U>^*&rR<XSRc*ocA#n@i4QW2_
zo-p~i^7CsKK&%teQE`!SKw`)`7ejC^H|5L8gClm(G)%5gKm4LZWcH8Cs6IDq?4XV3
zdyBj7q<tB&m^V}L-|Jvglq(IaqPBGam^p+#vt7=Sq&eBj%X?j`!d)PSOBP~LnfWq5
zCj-zjeWDcQ0cZ4)^p68S3Ek&d0Kxf<AVnTO1VdYw0kL>lz|A7sLL@Mv#)@vr2S2WV
z$;Wj?1l82ThK>#f>o+jSPfFOqj8ZtTqH@>8<$#|_Sppw+23y^CZkgy%EcYWPjs-Hl
zTTX2!>XKu^Dr#dvdR@SZ;LmS~j1!;d_ir&sqs)?y32#$;&Iy<I6dJ~!^6NqLfp7?`
zXdsHtQ7F9Zo-<Zc+qUz>+bM0&j)_IT@yzvm#<en#fNaaB(bh5(t<E<4sj11&VZkq6
z0JJj|I%tA57Tj6&32vkR7nbZ8u4xhp6sOaq&lj3J%N7`0JXPa;(o98ar(0CX&=JUi
zP7;vSo#uOXIH$l*orC$Ey=L*tpXBzS<fW*cFyUu*wdW0VgK$ORm(ksd2NMX~;YnIs
z&~F<ATi*c}(JJ+_OMLm*^)Tu3JW<zhBiti8dZATMs^icVp+Jfe;foEP;HH3w7lZ<z
zarVdQw4bLnEv@wmf54|6Basp8&{5M~RicF%D&&A?#VBuQ1X!n~$_%*ch*+fH3Cell
z(iI^KKXg&1Ve1s@5S3MY6Rg5Oaw!7w<zqnH!_HFLPf3|(lM%S|d`}@g>`BabO-u|2
zE-*+gK7k-kgeO{`p$gH5Mt4hUn4D&?y|L(PZbI|fS3Gm8ffiR()bkLr6e5iWY4cY2
zig3D@;dlUQAf-57d2hzWuL{-}sf9OoEnM;vhr19TxCHPidw)nv?)Zb8@QoKB*Q(e6
zpcn!L!A`JZ6P$dty)POKNDWu<fjk|rIGCmO3>zXDHn+&v^Rr>VYvOi*P+w*1v?giO
z)ka9&Hvuk5)f|f+0_oU4(0_&q;)!+O+49Vy7zi&`uHU}~JIr?cfU^fVVXiW5Hil)P
zc*a)FUp#;p1L?&d1`wHILln-HUV|>BzO)gWPqg9@%f49faP-_c5<m|~!q3}vh`#`b
z?-LK{!P|l9Z%J9g=hsw<iLm)-&=9Jeq(3L~#J0>+ZErfm>226L@yxJgoD}9;A3r_p
zb$fQc7wUAonm<?KQHvztp}hDK$HTLFa41O=90Xx)b2nRK=|s>ecoA#Z6!%fJ(X56o
ztpM*icaVW-I&XZY<B}9$tt(d8HuhNvJ{s9t;a+05%0@|~_@Q4NSUdWc>5k^sD|qRA
z=VR%2vdzV6W6#m_2C`S}sLlpSS}qaLSBh3&6ZhI;CC_nJ&Gfn)V}ugi>ss_gxBb9*
z*z9;J8nN?m)rWx-Qgsv~90)Wa%3`H?(d{F<%#qv<Kl?OD2l1TXQI#B=4Vf8v3u!Nt
z6aQ&B1*YRlte*h=xMV{@l8^NP<rb!yKSFV{%n-&;!!>uN$qve>?g%cm=wfryU;<+C
zLHNPgfcp~$3d;We{seA<+iKBV;oZy(`_kwB@Ta702_6i~^xmBr78SYx9>oTp=5aiK
zQ${)-ECtb-sMCq}b2DOi#1LwU5JjOBT7@r<f;s7AnVh&Fyw$g-zqdzoiw|;wBY)};
zm!xabzJ5agK?*mRZuIu;HVFpP4SWZXqX<M2;PVpuX*6j#go(tC_NOPW^Xo^8tT}`;
z84A-*qj;f#d>VSZ5^%<^;cqcDAWYG(WtaVhKf`0aKY+W^(anQkGE9ZJEJr3y0F9h-
ztA=(l-D<ozwy~qBkuE;#2buS+KZq4ubA^gY$SlF21@%PSg$MQ^JXwsy4Qq(?<?S1&
z%%)ZBKib&V>0vZ+(Ja9{1TS}P*|e@d6sjJj#=^X5WS(FPA@t)at9VAPP$%*!w@y_o
zl%o&}%pD@CaeEGf(1JvQ#lRd2Rau!}co&eBfgK4yD>o$VGVdpjf?FcnVImz`gR<Ri
zG(&{8ga?$@3}c}09p0<!5<R*eB2CDwq90xPhq|P(5k`I!tcy&L4*&=9#UCYNuCMHw
zN_ud{M%9Q3BFzr=2?7|h7!gD(=%}Ck)Jx|Q*fKOLf7V24vt$pb+B9tYh_V!zkc?Q`
z988QhWNkTql6ou#WlMZ9XIsrnXb^I;Z&}&oCG_@$>rTM&ygqTkGGNVv3biE1@6VDA
z;5K!I1~G<!+8(yic2LBd2$7}jT)hoV_GgT)X(QLb1l#?t^lB0o(+#GfaqHmAA?*3Z
zyt7T$(dp~+@OM7YzwCwD^Ddj8oT%#s6WMnOzYb0T1)82en<x76$7|MFqmt0qC(R!~
z|NSihoAGAITo@kU0q_ks3>&vQ2*~tKW?O0$s44%Ep$8unLBkfvup8F-$-RJUeRsG~
z%Sq~56>k0V_|tj>T+FEt&IQ3;1PE##R8Jf3ae3!*QI<WRom-(Str-kS`2`gC$@8}S
z!&^B?TMR*>#Ao5>`5C9DfXX@`Y!r(gw8t$N4Ekb9ZSVA&43wYf_Ww}!-BC?8+xnoW
zSdgZG(t8I1r8g;pARtA0Q9_5%dkLT*NC~1;5rQBhT}nbHDkajZ1PDcX385#H6n=c?
zJKw$M{_b7h@vOxk?_y=<op)yMJ$pa1_cJKulhZA#53DTI{G%aGW)>;DeFUyg&qyhY
zjOgc-#>R`lyZIpXR#^3|G3smPR$r_Vf-Xu>V*rUR7ky@PXlQ9!odwTLrx8BC$a-mV
z0$%N2V`T4XzICiodn*NIn-*_$Db|nm{*|CgDT#|+>K&gej;_r&G$doBg=iu7STLQ=
zdVDbo{O3B%r5qn&6ig;!ITtOG*uhh%B<WYPFXCS>uJ1J{PJPQeyfFOa+brOfd9v@g
z<ahOgfSXPemjD`W6I#gM1)jgk@Olf9Ki-VUr1F$TPKJxyLncbJ>e^}5SYqF5t$4hg
zh+S-haV1bOFEn!6Nh1~+PsnlIuW)K6EYkD*{CvH;dMwc<1>ZG763l5LpCVp{<yiV$
z)jC)7m=CpiD;&#<Qm0g9zr|YQu}AIFdh@pTBST{fSq&XEkFQzAj~{o<m7v&-CzjXT
z=$Urj8tMw@Hs?u~9;7yLfoXJy)lt{SIp17~elqoT@TgKM-L{aPtI+#Yn(MQ73nMEd
zEVYrrJ?_WjB+Q+!bhLtnUmgoiawL>aLeT|EYRM8~j>HqBT!Tx_z5bRhR+j6Vf}I>;
zoTm07omFi9<3PEA(xcfh_U{)tA7*cVS&TsQZym4y++Iac;rb3W;(uu`2Mscu?nr6+
zcm5iyf?c=Ikmtl5LpAVIf(y#v5jAU#I#Do%da!?PNmA<_7foBrRwifAxVPfu_O2Xx
z)l&F^!C?JPHSWz}=HgELl^c3c$irRz_plA9k<fP@oy9zbaXy&?8+p-+dg&XFNsZ$C
zwjsZJc-$cN2h`wcPrd!JA6SsYVXsQ_R*f!(jD=StCiSO*f+mj?-LQsj%iMK*yRXAd
zt!Ub3FAnAgktaDz9vR$RTpQh?@fxyj@h<EvkaT-S4Y~uOF-xX~3Z;*)vC2KlLT=zk
za38yJf^NpamtTy^G_fC9KHNOM0mYvJW8TSd;yBeVBgkV1@+k|RcBZ;&SaB{~HFPK8
zJ1yr<=V#N#@tu^iOz4sy_glAUnV|!9TO99?F!SN-)T!q$i-`(%a764I1?Ixn-ckyq
zIWKZg^_$#@;&y*olltp>IDPU3PNp`AagyxS)p63D0_alkPIkbz6V3!(ZTFMVB-%Z<
zcK6#H5w)LaOC`27VxNJnp3${I4PBUeLp4<GsghzNOoU6~!@nDhQ^M|i&?`88l$65A
zP;8wd*>kBVFrqFsN<chtCz;*+D+~G0UmAta%tzL*2g|H-oja>ko86|S4Y{;?72|tw
z8$v#97x4TN`XWSEqmUH7;@p3Ke`V1#e4M3=<=V)dl`Q>~xWVE>bXY&}D7=vw5w8~$
z9RFE0vUNrTy%VFJ^ttqk!8o59=lG1u0_7cL$d%PQ7w-3dutA#jx8r`#DyyDbrClpI
zH!#~-oThi|T$WR9(Pp?cO#fv)_gqxc^Ebl}CceV!@B9=&P!DU+$S)b1a(})X`ifB0
z_{ukJqB&mj`-3nxbj-tX&8R3*uB#g4gx7I9ToFH{t2T6+J@&Zwz82SWa{Q7N?y?0H
zu-qr(Vkp>pnqrqk|E#CISxU1mX7DqGYyrAKsehA&v0c^(->jrhRo!i=A;#%ArvVJP
zrB){ME%~n0J%)2{XxuK)Z?0#uH*nU-2_+=kTY?<%{BmYNnNp8B7&Pw0H-SR#urGX!
z^<5_I?s*JbaFDnpkQ)BSHv$sY3cNjI8CdR_4NAc%ty~}-P4kz?sfLTq<JQ$B8W!x1
z;#63AVazRam9#fM*-$Ulie;(p1p#trb0H$6bRSLS)DPw|6Q4M)z_XjznNZFp6A>9!
zvzp^9`z>uh*<{RS`|||DufI^?k{(%oR4@;cZ*-=LjE}c!IsD@EzRx1zz?VQQHS>RQ
zX)S`ZRLciiW6!u_Z_NX)d4cL?{vMI*%Mt?YjepRkuy=+%HFA;W)1Q_D!*1q|KG8jo
z!T)4ijiZ#D6Cc05&Di$tcNaGDQuJ)b$)rtfMRLA_Sj-(XEhgqHd0*W7<8>sX4*?k`
zJ9RnrnmvW|Cana`El1%P=6EBTfwRo8^GdF|Tbbem`Wbqs)INQTv|6&~k|aSiEae@v
zh8o+yv_&cC2rY@Lr`yY+a!#8~^)t5y+v9_u^ZiPZVdmU8BbjvaDDydmAelAuzYc4E
z<Z8PAg?{lqC6rz0{FYs;Hl>8VN+(cQac%Ye^wV*vqSo}z65lk2=j>f6F7p8zfRI~S
zw~Kb3K69$k7@3!arAV;%Q4`Pj;#LHV*Xw<G_s>LYw2%GV4GNxGV|vYqH-5G&(tC_f
zQ}<%4%5#g%ud)muNRFF7V?3VrijjS}ST2dxv~X{BypB^ldO_R|%F*<W5m=O`@0Yq*
zU?eL3sO#MXkhJflq#=v%r0ya*$1mF=-gA@A3htbJH;*(Uz=d3;H|(ne`%ueDh5aTQ
zk2+|dPzGlybY=SWuj!2C+gg<?G3|KPNXMsj-u{)#*<_Tku@*%0?gr;P^D6+#9H{|w
zL!u06DQGVw9g8e_=~W%bY)f)|={ypN=5%iiAMcoeg`Mrn7aDE=zEh73Nnm>t3<>XE
z4bsJ!9eaBJ5sA~%<$=UsVb9M?r&qrO^l?I>2Td25s)Hf>#85Wi4yeLs%*F(8?YFn&
zdLHk2?yofB9M3s7dhoJW)*|As(l~J3<>2(?sJZy6|KJksZfyMhQ+nn_k2Sv=v^ghw
z>i+Lx`kv*r5-Cq9Q~MTLU)8+Qul4xm3_sWxq7X0Rtm9yf`TVl5bB*3cdn)t0Fi8`|
zLd3djsD8VoaaoW_^>sAU@@{K3mn~NT<@cCNoR(_AFE|`1F6lA@`VllfERq67)-+n*
z?m}+e1%4NpGzyP&{Y0rbtD%v7h*r>aP_?60KdPovnfQ9V-edi0<UlLlpvMqs7<Eeh
z<tn6xn``;;sXSd9O~nPDUPRWYR<-9&GAYZ?Xo}-eNPU|H#hqSG-vt*z3JDD>wYB?d
z;ScT#7KqSd<0(!N5{KmyE9XB@S+4@bXyQ0NADgas?^*Be+O#mbTUF1t%Z%gAuQ6;T
zmDE$5xaVN?HL_15I`I;gT#OQS2HZkMa=v2b9|i!);vK;>dmPX4qT?J|e$}LXrRTf_
zA0YPq9Ax(WoR%-RpUaO^w7oXJN@@0al+SYtfHSAhruO3UptaesVae&VcYO3k6fIDS
z{ZxY-_-V8A!DgEh6384AeQcpV*?LqS67E$A&j>cS&LuSTa3K#HXx%Ul;4-4-QtogX
zTdZ{!(lDjWkz{3n@eeMI+K0dwwBhgq65N%0MR?9|{HXQVbSc2bdPL<nOI$gk#iCPR
zJf=;G8Ocu$_Q8$cD>{R8Ujg{foB>q<#IKHv@`hnFB1_VWq35|WXj)(B`ASc&swaJw
zT8PR1G8lsiWEpIiu%CE5t5?^2)9~q9rv4hEPrEs#uI~%D)oLkZ_ignZP(i_tq8vCX
zU#Y1S_d=430_d}8c9f`1`3&I{Z~q075H|JwqJ-K5sc+5{sv3{%J?`=M$nssesL}A@
zI!5iPG9d~a(!KaG_*0b}*UkambMC3QXER<IcAe?F+@(+3c6}sQ;45z<#;*NpHy=^q
zn*74xt9OTQg@yAXaQG5H)X-n8PJ*qJn?f@l5Wn?2_~j4jIj&(UbS`_>jj7jr`gi#F
zF3LR&eNJ}4XF!EbydzYW@<ac9T5?WFfU=vu+=KClw5^>-e1*HXA0_5yXSL<39`pUp
z9k=amc&ofiCZLAy_WA|0=G%`%H|Uk(1NyBwwYjSDF3Ij)Hy(IDri^QXkLcc_Uwq|L
zJNxSST?sZVvWx6l8Qim>fCbjVaIuNB(D{c02-~q(a^<&3Hd;o*Zu^KYU<R&*8-C=B
zM^gH-cj723Hg3#dXR8W*9XJDm;YXV<5`P;$4x(*HBNNDV;BL*ic==pY;Dm!M5@ZgV
zF_?0&txxWQZ=p4bf1IVRhaJjAsEGfOdl9~3`Kee+%cl9+*?DgG8R~jpVTM$TnL<u|
zs?5Ra+Lm+1FlBF?@TPp9oj~J8NKKXgiA*1JE*?jbQF8Xc*~D>kapf{U+7upmyfHv3
z@7F3lowxcVa$3%I(f@9TGTJx=ck$Xiy~=}kr150XO4wj_;u5u+IBMX;_3fZV9#Uk`
zxw75Eoq79r4^NSrzY@Qj(&)vEjb1(2?$yHzpR2BOeD>p_9P{d}S05#X>(h$$>O~-~
z;xcoCwf*u)AJIjFn;Kr$FHRmRgzNi(c}ojNt}Xhc5<F^AGRLvhNLx<7C&dd^4*vV@
zIaRIjAMY9L!sdP4?0gAWCiJnvoPP2>wkv2`r+zt16*^%%)>VFb-|=yz#;Tx-CU7+I
z(<pOzKL;B3(wMC_e1h;z(YWc&pmkjT!*%Z47)jlgNwM(JxTYC&Qx(Dj|M<|X>&7h`
z_{HRV`y;aGvGS=9!h21e#bIVcZEoG}Z!)^j9c56oX_J|F1tJe^5XR-|pjo@IHk9ei
zgG113Ou$OI#FFZse17|sSbx*G#J+7)xHjny^Hfhwi)|gTat5iq+5-7Gz>#yHP&LNx
zV73>Q>>N_^mb$gZ%f}V3=lt^UhlJ^}cIm8$O~=o7=S71cm$1@(PUev_P>YlGdy?e?
z`JgJvDz<hD<*~qk(-#}p`pSgTVHa-&02e~c;prv6d!8Nb&cCCn6=l<G7RV93ou$f5
zjN@)kO9@AeZVvsfQ#6;PDt_*@T8!6&X)q}GoW|5{GJZZYn(TMmn>~112V6huxn0Nk
zo7mVt6F+~UXxA=BC28$pUZZ{&GWnChtP-qhK;|DnHTC8<k(Ph*p6y^L1;|bU%Q3%e
z5dMU5%=Gj5$>iJiUIHKgCW8D=_@@DM?g3d7s0;U7aL_*o$r0`TN6PBd(A1az=<6yW
zXPKR7XOG`3-u!Eb(&rX|z1->wvdYS5WN9fcGpzpoV589-cO)f8l2UR{w<l)?o35Y0
z1pmsM1#%71lTig7H<;ZGj21U*w>k#vsL?zz3ZMUX)P2$L^shlpUf;y}43jWx0zsu>
z4?;ZdcBpyI-_?7n06wL8{9k#2N1)4NbJ+to$(E7N4dEPV+liNUHU0ekKN6OLHnxLG
zWF`Mz6g?%$mn5{bwDf4(rX94z*O^g9h~=n+-pf%B?5X(=VPccZL4biH>ho;K>R<Dq
z@gOPab&WsQe&<#+Vb<@)_qlxlAIOx5=>H|m$H{YCu#{QE9>gl^`*$z?s>ijXv}KVd
zVWW>9)$cx}Tzr#A<)LBVb_f--u<-k<sprk;6SR>5nTc~QTkp=B(ZJuLl#Em%FCcf&
zh=R{CEB%#w`OAvtEN7)Y--G=>N|0&bJA*o2-~Q#k;9mQmH8ef9%0?bo(TZyLk7So;
z=Lv=4xy`a2i~oQ&@hs~!Qasx4f-2i}+@b#KR^7i8=ywureu<oY;*fXt;I0K!^!F-7
z{;OM(=^xW034sSNY+C<&i(vNfD+XTn(e<Ah^U=%(U%9_}5^k*L|NA)-d-(K-oFmgi
z`@e<be6(K*Su@p(A+5jU<+m&~;WNd6(z(91D3y&7@9BTDs=p9C-ii({Jj_Wc54#Qj
znpp3*lu3})KBUGa4>-jx)%rq3lJ)d~B2x6<XGVN&q|lF1LiDe#X}5!Z4iB#@iS0dD
zgp6ly-k{XXv$9%U`1#lBMSH3KvP>ac)TOa|Gv$siT5AcrpgQ+-9HaK{raIr?m&2*s
z$H{3qm%J)Z5DXD;L+FEwt=Elj26Lq5C#U(|I_bvjZ)N`a`01zTRv(a^7|l_ulL)Tv
zRdTY53F2zp%ff0d(Fxa1j@CZ@EXV~Dh98siKia;}b@{}HNC-V?CJu}-lkQZHzUm>w
zjOsPDZ|7_+>MazB|JCjPRiF@^qmjP}zjl0jf^JO=70(~2LKvYOKvUO+baQfiJCQZT
z(8jq<b{1(sbvCp*V#s52Q^uGc;HVPQDuQdk0S4WH?(h(zPxFMt%j}8KcaZD`ES^u!
znSbBNw7VOyy(P4A7vGcsQ}!FW_7AaWU^utz#VJaCv_C{t6o>2^M$6X=&IbjF)SneC
zVlGFisyzMF_Vg~<eJsJpum0>Tx;Z=74bDRD9&{>jwouExkDnJJU(k>?*;ww4E*AE0
zoapcShg4cnat;|%#_s8UWo+;*EW5$h9M(TR9$4F4Z^ke(Hl`t^AT|2Pz+mP_Z0sNk
zrO<zJ^1yF(E7!@_p77u#q>$fs^>2kWlAD|a2XRe@PfP$a7>n^?(v9%iKXQre=0wkB
zUecA~y>dMO2Vi#w`c;i7#Z$fS_K6W++@)^jPZUMiSFfrUkhVzA-eOVHImc(bwzcuN
z_6B|c<jVD><c@rmu3)sr<k5t7ZCmRcJ30qi$h7M3rvmcbF00(HpN)evKJ43W4%+Tz
z8xqI~ckGpRe*0j7{RHu=tE=mb=g`bv@8CL9qxK>z^U2B4uJHkMW;*f<ox5{6VE#|u
z+-Z$-l+P}cp3?*hw`uLPK9$$_;x~#3A`f2?N7zoZP<_~3n0Bc3)}^Q+0H?s)<Ykb+
zob;nGaKm92Q4jvB;LID!N+{F8Fp~3ybG983ao!*1cF@$Qe%$P{rT)YHhWW%5h?mT}
zQ}nvg{=$suJ|ZXCeqTx8lL1xT;n#Ch6B8b@t*7R`e0+R8y<gheCc{tahNqi@iY?wl
z;D!kei#sp1^~1vO{h>!~4NUu%6snlaU-uX98vLzdMdzsJ&wO)zmpf7R?5(?Chk~Bh
z+pBt)3UcAIo*9utL{xjDbPrY7ZO-8PJjNu6AdSxZ6zVZ7G0In^n)?le{fI7dNet1~
z!c>G4rS!69f9Tzn#xd<Xc{q5+RGo&lFaca*McHL=?_}Ij{qQ`IymyMYHWL2Waz91u
zs%VZtEIDoTR=+{4>ctOzB|^n)Z%#}4{Mgz)>chKrJx(!OTU{!ab3zMjxR~oW>V&o8
z&1aom4CnH9eMrw_@oIW<KhLM$806WCE2?|gjKNgUkXPIj7CwBJN^>(HdpNRMwAq=z
zV#W67L-3zP7CWMpJG6sAaX0z~UamPS-nb80*e0S36m}0mO(Fg=q!leTt`9-G^*)kq
z;$!FXrAUv`IO`w;e*1+`>vj^u^&a*#v-&4<naaI$(4qSsbHN1LEAvLQWU<ePnV9mx
zxsF4!=d+59GFCE?8>I3R=)5Lo<E(73kv6I)AANguww~!Ic`7Hy=v_D8i2*5<KSe|N
zkl?er+U<LFS;gn2kX^pH;u0iXpmHAKnB!<?#E%B`r^mK7H`{fn&~xTD!ds@35b6Hj
z-a{=m5y<k&wiHJD0>;aqvHn9>CE|NS0xk4sT8g)uD&*mI8D9&&JPEAt&;pPoe*zuy
z%>I5u@nj&!kxxLniDWT%;;l&6cBz@4!j-awQzLfXQK{@z6EWYyC;QYleV7cRl*_m8
zi33K_A%w*(yF!mTB!}6Qc#h1b`1G%imoplaK}LiZWkD<ay#`3kt9Y7&$kWh66KUGl
zXU8W(VNU_8o2JVdJ&rizwvPjXm&A9@E}3Cdl6O2N9Pc|hJJ%m$>h18~*{@j+Q!kVR
zMt)`>UAxVwTL9~p-e~=_*-#(;+#V%;Jn7`hzqc=k_U;dT(c`A@XMp^xmy!b$d@B+i
zs3t%NbCF#s=GReQQ=x&kB&psZh(>rje_Gm?;Zn&#=lirP7o!G`=;z#;MauTSuw+CI
z!*eWDSeF|~o@ukM4djn|{rBoimbAV(X;4okj(&NNk+@z0e^O*ixNQor@Y$>1RBWze
z4?MHBFK<RZ1PN*CZ;b1&WWx74tDK+9i_p`@QJ!5BWS8~W8j|j7-$V~GW$mfy?HyOB
znyKx%MQ`VeqsAppI6EGDN=eAsnv9I8)A);n$3st_RU|<a3GVP<_O!+C*JUFEJ??_9
z<aqM&^Bah=nfBYV@OMerT#Ad+{M?>uZ*0sTct)qQ8w)J9FwYW4Vla>AI)?#QX?-X&
z!k^7eO^c<1x(XIcWWgSxZly=bD)WZx^i~Drz%E*+BzO6ftXFOSrfhNg`nk=u*Jr^)
z4xH;dHNuV%uF|2hTQvu0&fhfHshX$lCV-Ee0}J5d-`Ktr6?`_I5DpiJfpTn{v)@gs
z-cM^!k{`<4t@eU4=LDXDptI~&k(r)Rr<*AUhZzebfr+JA<QGn(OVK~eCU{!e4e4Yh
zFSPxk1LB0jt@ilxq3y$R9Xs<tosY)H_eSPAl)5{_JMJ?xGgr?AFyWuj_lIvv`BX%R
zEP}Pw(9i1Yo6TZ0g0@7`iDg?0Ujv14@8i`payGL?MMMrz)^;h<_I7TruGK7>rqpj;
z)cVc?A-A=FORfL#)xv4Xl_As%+cd*_TQ5~JJ}VQb7QJ}iQG@Z*DciKzRq@EHM<{df
zHPm#<ULl>Jw?vy(k|yYIP&oCxoM}?%s4;MfV`Ef?_JZ6edY>(gHJ&f`Av>G}*wn2D
z6v}ikLIp1b(0z2j;l^Y!T_B<V=mssBTx)`Fmu6&L&Z}^bSKuELv`2Sr!791ASF-i8
zB*nm2i<EAMHp7fPwmJ?4f*(V+&C#f^{w>=v>eL$`L-<DN1ZRU&c^HA}+PB?>J_m|q
zS457o%~B}UxqO(_5LuDFDr#zRvo4oG?Z%r+=9N4bdqh8^kHe%@atQWg_*m9_8Sa9C
z5$kx9jqg%hC7G+Wpiw|q=ygd`J{F0A>1mJfVb`lnc$0Wwo+9Y6?9QV}&v3y|q7zi^
znj!T9I|I#XAs2(CbyDH?p63ZPR*>-=>i9VO&BfhL=FXX^snA*$wZhorMm2{p{<avc
zSx*Cj4z4_fcdiWTG#!kkGG1mmtZgyruM-jdh6lBEcju-p<c~*U3=W_-)e4v%9??4!
zH5FK{!dMWQ^Ywop)JNy&Mx6>nPE#Nqsch(KTAaTl%;RIxQCxBzbYjB3y^`Vdaa=2z
z8~4dPQ~6oaWsz7&JuoK<_-<N2WMGw}VZ4ORJk2mk)-4D=6H~5-#(x*W#ZFK!QY6i>
z_h%*#)oQ42I<_VPrt;t@#eMD6CWvrz6{0(0J6nkt7f&;NMmt(S86wM&6#0GtyK0x$
zrScRah&P|$T>Eytn&x?44Wtfcx~26%*0Tbb6=(+sjkbgxwq1*kB!k1*5j`Cxw^US!
zC7VUVh+5}C0Aw?h>)=^ck}}PO;Y+7G#Jn&QGZ=-3_SsIZ3Q-L=DFpsHG9ZCDUFP%B
zBIiJtckdkXv{~&O_Zfbmw4X9Au&nMgijM<Ta$U4HaNq>f=3E=TDxZLKkK+VgZpQBy
zu~Wznn%3*c-KHZcb7gRD(B$qNhWUmkeM-0(!yyG%c`rUlgs)?a@j(h23U&1ib5=tp
zua7}5xb^rG=8k1jgyLVhY~R`N{&*`g%r;WdlWi_X5Ru2)!R}ip&eJtG2h?b*Ap3li
zhq&uhs6lBT{zLxy96Q3tb+n&Iqo2w|t(CHOn76mS<}BmST;@(2E8b<O(VjX-C;nuB
z5Ku|BRzMXHCTAm__q{~nL)&+Yi(gew5;?ZmFMO0w`IhUs=ud4pt^b&bF4WiY@Qadi
z(sRyNq%8HeauUC)-$kpl-I!<*LFKwNGAR-muDT?ppfDP4X_vydl&>*2pGa*7cDp#u
z-4nvB^?cVzDLfdiL6p0~In;c}e#StCC<xC33n+zuyMLp@qCDQafs3g?%$~K)o0F}8
zbp#|($*vg&gjCqoH8NwSslN?vdN9YXtB1b|I|WrtaMJZ$NYP&V*5kVy=b|1ih&prG
zR@8?~v{;(%@(BN5fx~|Vojl$cim93Biz|*Sb67#rGSR?CzTH=&STIbcRgYf!_y~#d
zBj_G#r(t2Yrie*Dm{VHgvISP{R%^S>AY{9G(sl{XcBHGjmuWBTO}y!aQ4~^F`vluA
z+)aw?tQL%HnQ<Y>6i^WthwbG8Jzi5%c2yiX3u{>TX*xVvS#Hs<EK?-RvlrHWXl`u$
z*%G`fsUhdr|CT=muq`Mp6cm&wyE<9R*zW}=8R04?L?W;o0knGr!oC5o+T$w`G&I%q
z=>V<`YWyP&LI_Qm8T}%CQU4!2m=;vDG^bg4k~ri<BG-t)C+viK;Y`?}K6`)0vh6<*
z?O$k04!G)0Ez9${OxoS;xhiDhQLKQpM(O>?Z>w@D1R~ePr-ViU+Q1=zNT*@;^5-u!
z=PSAfjSTK2nX$0H)Q%Sj65eHvIdPGT*NMLq|2bw&PWIE=HCdMCSN*0g>IpPy_#Y5U
zO7h1C1~g0_s|)cp2diUi?Rlj5seRcKjgBPHbNFJF+T)HOrY_wDJT+<e5Rb%P<?P@r
z81kXj8|})ad@RL!JLNRAW{hw%5_R~U1lg@uY7zkM9TF|#LurJ4V%%tNYuU18zx)!n
zyQ8!aaL^tk*p|54TB-yJD5NZxQ%aN;fA<HNMJ7J=bSk%$k!@G;=G9-BkKL$rAE|{7
za_B>cOH6v&pGvE#5~bSiaIQULfOIf^cy`m6@ZxFw<yQC@D7E$47cjHkK|GCf$gyoL
zgPpgm+SLnpopT2s8OYT7N%dRDdr9tUUP<3y)S~Xm{P2byYo->yztCCcJI!eKhGtJO
z{EJcLqEf7toRCLglLq0wc865beCXkp(P{6KkcY6q1oj{<e=Z@{%^z@Py8_BZx!VD{
z35vF#(w94B_sW)KZaV7H5?8S~LA0jAwqIng_x=4XF<<+6zp{Nrr&P<(d}ozznaJW=
zCXpS+Rfl!LyR<me3kLEvj-Pov<?LAVI=Cj;@*yNx&%PFHlNRpOfQ_)~*$zyjw3nS-
z;(8VM<rI5AK5Di+j&g1E6{WxxdeJ1Qy}@Lf)1_ab*SW@?)gJ6FYH6;ur|qZAvMYs7
z5dPpW;)jk;!{H+yK(APHm)a%d^IWYI_6*5!oyy|uBdtyNDamTnN{{h@|HGV3GoaUY
zT`FUb1i+8#IXlTPoK2={`01wZ@XJ59oXR*d2=*+xS(XaDS1`>HJnwb;>~;|>4JBXU
zIocbs@M4W`-G%q%aPE%P$xIEb3%Sjlw<Z$>UJzQjdw#Vm0KYJi){HKZUo(uRVeRia
zr0<Z74`WM*vvNL2UQ;us6^w&(FT2!y;l52h=X#|4Lj1^@-(x@iOOY+)7{NG0iOBaA
zG2b4vp(W)5KZwTY18)m1hO#ZVa?v~55p0&=o0)ApnK)3gbiB2R(OTM2t;Yj94MsJx
zm^0$zA;N*nE&9MZd`jF^Duj0+Vp#evA;^F%t^H`)JGgrl2GqA&G*SBX;36Z7NU+cg
z<6%%Jtle^ZWt6S7YVJIlo74ygEzN7gL?Z11M9YUyRA;OA`v#6!G)U<pYwzy3Y+HLH
zHTY=nxqPSscx>ug`u+ex-%zObu`DU^PP~HQK(&pkNW8sb+IFmLypJ~|HA-6T!vhD-
z0s@U`YR%#z;oRANs@1`{0k!*5le_4|*Y-GdPglMNGpNq@^7KQSzQUB&*BIwz*&1A>
z$e#U@_`eBZSjeS&Rse5bCBs&ie<a1e)N88o8b!tZXr*{Bj;HsbdK;J$jX!#}pU@Kh
zDqLvxd50-tUzTA>kI)MOpF2jr?OcIF5GpI+wR0L09BLz{`$)tdb&;H{gM`e1n5=X|
zm#r=DIWD@#8n9O`7d$dXPLpq(#>`<}da?vD;Ge_;`PBVKw`w^FSI8|iC>H#$;99i9
zs^Oipw8uQSt_cJC$fQV0_^s4%mvrf=$RTBVyhAl3Lzp9>Js8(<24<*4t*+hiU|?kI
z-34qG>FJAgvYBs|#r}woygLXo#Tm*U{8=YvEl5rppf6hW)M%T>pFhV4K32Qd?qjJE
z_azokqpj^qi%G-p$$Y%|jq9V_Qp&TBtu#a4NqkyKBhrzV9ujhSyzYS+XD%~SsK&>{
zE7vu%Yx!t0$Aj2nR?g2~8xD7Qvn@#(&fsiWP1UMl%)1;R43oPO(d{p|d3Y-_a(y2_
z8CXLXS?k2bM5V^-&u4u+8SldlUh%qKLbNj9D#eepw;5w%oEB$_3vta)N`^__%{J&X
zoIOKDz;q~43^&7b)`ij$H<aF!{Y{h~H(9PtMDY3@m8?4q6n0O^!euT-ac#QO(Z3b?
ze2R&Wit1wI<BR>F5?Ox~=Tq>Kdmg0`?vriKBQz3DyXn0&Ui?^if7w;6fSeT@qacuF
zAd!5D!G@1Qd3!c8NnG8EH&I+Ie3CPCaDMpNJE)nw7}kJ+=R50EF9RCpx0|<A^mE-Q
ztZ)NMoB7SDSorwAjT$KuH!Ctx<IuWo>HN8|th8)(3uQK%o|^jg2W*ID+~I0B-*-jT
zJMt_{yJTGxObXX7>PDr$*4+8U5k={7;hF9g09W66+J#P-gUv%T4m%qb*sXKr!ZU5g
zgEliZ``&zQk(F3Gyj3G|%6Yp~%9L1x-|QoN>LXxmRySM6>!mo!$SGCH&e24XQE>eA
z_%)S&C_*^G{nUNY{0eKthcJQdu3biXx9>7MQ;RKJ>)f6V=|-O7o1GDHxQn@4%xf7h
zJnh#%&2B2I)xY;uSvZ&$8S=+o@Z~*OTgf|_s@Af5$8dFK?iiSQ<6{B0ys0P`=hhy}
z7R5)N{A96X=fKU(t;iy)`(@XWDk)_O*OlyhiUer2L=JfU;19y3v<F-1K!Jf%VMdOJ
zpV#W`IM`=L-;^g$Zk_um-i&UzGjo+bX#MQQ6ss-2bYfOh=1`~Xl}CFyGM*XqB58y|
zRe83gbN~3pIIVobZSW<c&Dfk8Z||B`w<5b{0r*Wk6fnr22fqQ&X#Y&)wbT2Icbt8Q
zJ$$U?wjM9ac-k)<>8HNw@IiNVLA#1i-!zowvV6Z&x74tNoxG=!mYZO<HsZOfCu36w
zH^Kx%`(9uw#Z_}+ZQCHPo;17eBDM^5nR)ki7VVPB&dY|qzpq+S0WEPUhE)5SMoOK3
zz986r)VK2DjrGSEp_{xex*)Of(b(HprCz&sh>>ge*EKne>kD7T0SD}Vw%xw(bq-GF
z#f9zC&ejc;a9MLtrTEByY?zRDwe_+QE)%9^ME6>4{Q|?Z&N%YnL(=d`U0I5)_44QP
ztd^kuVdhW5K4}?Xim(Rkm&P#{X3^GXp7x0ynK~$O`R)WRhEiOGHlZ;Dt?zf7t=peI
zL1%btSm#`m&%UXj3f+rOd3OC;nx{+$T;nMT8<Gzc<ti%U8I=_mM(gkJ>HIGl`WJB`
zqqrUy1zsF#C7UT6&a8*-CvVLh{kT4}HX<|RH5)e3(h$}*O&HOusseczPiG!aO<d5L
zYk)JV4BCKWl6|Y5$(qe52-LIr+i~ldL38PG0t}c?Sg&52d(JoBK$#)Nser=W@NxqM
zwl&-2K<*(==`w~2yTf)alZS05BVqM9GP8}W&9ojFIWbjm@9Le%%_RuaYW_B=?y!8y
zn73sM2YM5zHX+)rBHyK3G?U5?zBf4wo^2$N-r9Pf!OzP9$eA~8%1MAu&kn{VJJ4~_
z14QiljVm)bp?FNt!Ys04?_Fv|usdUZit@?lO`4A}AFeVEW{UsRRmqGpb^3n(ADX2o
z79F=6^!TB)&V$J$!UZpm0#?toyJa@PTPjI0R75e`J@Ho3b)j`9-R`?Ku92BCyx$%G
zWG77(mTi)%1N<{Ke<Jl&!&0d^b8@QBrv{=&!x;Gc*0w7WA3V0(Hcrbb#HJOH7ri>o
z9W&P8{5coKnqEo;v~3CfU_cTq)^82sx89=!$|{9YSwbGAxkM<x3CGsMgF9Z#dZoeG
z)GKq}D$`z`kT*4HzBY3$Z(D0&7{xvV^uIPK6gk&)up~|Ju&f=gb8?dMz#3!tSS|aT
z0mU-<?;2na#<(iG8lB|v<!J*>OkRz79N34d)iwpT4qmo!W67E{Z-2T#(y-251EAi~
zK=XFzt>QzSv$Bta!o54NyJLx-N?@Xq;hWbrAE8eQ0{2~maIU9@GvF8qF4>sJRB7y1
zE4tqgnJ21TW9*tjW9;!wuZVS^s=VgOqUF(C+o)5Tt8yr(AW31n&2GR%Z<br{5{n_{
z^Zy}!|7F<z`QKj}w4b+GT6{6~$FO76ZYPlU{5t5RXPQmeiie+g+mlle&!u(!7oK(N
zl&_n8>=yd9DMsoS1E|*~W$AbrJH58=efFfc^%vIgG4O3<bU(e*RuPG}<*Dqj_UfWi
z#Rf#`qQ{8EDO+{L)`}bQ9jf(gi^9K_yMEPvGq=k}>Z$SDu~HPji2ra;2ps4?w10N5
zQS6H6v~Ck}W^tsIXWeVA%?7;n#&(&|c(f2XjcK`gSy5>3=iqpIg|7$Fa{AIf!CzeW
zmAZKAf&JvXR-lf+2;)isTx4#(iN)@@*~l<{yVVZN-5iQ_V=une@u&E)2#^yiK{VYe
zQ!$#`7sd{^{fW6I_OIWV9@N_si3yR1!h$Q0T8ba5C6jE^4zB<c)Q_#oqQ%|=FWfdz
zSeR~vkA^cTT(?o4<6}ifBrLrVymjo$Gg`U?XWj_2)bSVxht+eb6tNmd=1f^LumTw7
zPYUjp;P;?cmj&)%#tI8G3dcQV6K1*VJQ6I9JTh28TRqAwOK@71ggu{@s-ZC9Np}{X
zp9CzM?!!k_9Rn&lcgHIqO!5BcoBA=Dk`UpdK<3&=e1m@}2?7*n4+#Qv6mV&ND0|u>
zmj_0rpqPT#OrHGsVkzUf1Wf8({V=hznnZTaHO_{$;Hn%MFRhn*$#1A4#AYd6eGeBs
zj4=~_PJY}q>8NY#&I=wUt>2D+ooFp<PViA+?#g&h3n3y}4;K7(oz@=l5Z}KNS({l|
zWR|&oy!Ir&Z#67vJF_EyQgW(;?GQ^x&)7;kx^;igkZZVT;(?C>%(aCUC9u&l?yR;d
zi9P2oHQ2<zO$$*^xli@KH`;%Z(y#M$J4N9${5!NaygI0qSygtiJ`2wsrdZbkr&~h#
z!Iws<RC&wZ4@bl_F#2(O<_mTSBL@)I<#LD-Ofz9anYjTkDmJgAWqfG!^vvzxx-Q<C
ztW5m;x#}YeBQ}B}Yf8vz0+$h)22qRuDLfOr7ibMlfv!0{wzXE6TsgbSLA+bptL@ly
zf6BcoBg~{J1v_r#g=j6(O{ViT@fUwoY-@e`tG$N#b>P<I%#7=7#A@s3#UBl_H{0D?
z&t$5eD|+q4mnY9t4%n^XY=`~!TBV*^oSkXJSnWIV?1w|1;o-G%et}Y3cKvzmlaK$Q
zkH4N?UJI%sdD<n-HL`b9-kpMKbqn@T1=DnYedBsQ%UL`iQUQw;Jtbyk4LI>Ewj698
zuL!3;DnDcuw*{u0u`GT(36TRYDY66HR#|wb73mQfLY!u=6wWRVR@hlLNDo{a#ivT&
zT6=U0=n-6@epz}DfzOgrX)z0wGEu92<99}o-kV0S29pa%=5j}J(Z#0ueOP*ra~YEM
zS#8g<0(lk6xoB}M7g?vsGC~1QkKAkrJHtNLFA|Nf*<`tHEfi&)psK>NFI5ZAnyEA}
zGp}ka81MkxmER@OrDA7w{BU!<m($Ms^t9aifgfOcZ!0&I6>?DF^10&G`oj@5tVXHJ
z?v%Yz(ZqqiX5HQkGQ8$diCL9KbHBFjg`S=lmA~>stYsrBL*|cH-=)|qw4;$Kp5u!T
zM?c;(<2_P5ordnceCP#+z8$<Ou83?oCB-c#r+Dx(ep-cu!QQ*yo_XU#e8hv9j_)Wy
z`LJZ!Du(X+i`C2>bm@u<rMD^pzkQanM1eqKTlYhau|6%XO}AdD0>`bA_6g9Hkxtot
znFPWTd&S5$yV?go8|X_T6QvcuNyI1ezn9@?+97CoMB#MiL4X%;)AEC{vfYY(@y=le
z`4zOgZHtMgMk|R><U7`dJ$l(1_;r{{awch1W<6lkK&H_o++B5--2;;mcAriC@EQ*?
z;)7Q>MknYk=4*yOM|8*i=G*H6b-g}?hWmtM8Lu=ie7&8t${Yc1cib?oGW?LyY{C5X
zR^^YgeBlR9hvw1Ohb#^g{pS#xGNJbd_kB{(Sfrg-+sRLvGk4&~{^3??ZXhXyh&AZg
zwejhD*plUcem~vJ?mA><rFEiW^#yfhX4qpLil$JkPPie-310XO+8`cyNNSbcLu0<A
zN49)g$U}BE$Y6hcdm$Mc?AAk+=xn_$QFnE?GcmI#0!q5K(ru*vhhzQqY*yy@d0SdY
z--{kJQ?xNEoQCk{9|f>(Q;)wh=)%XkyYhd{mHkvU$gC|j97at{ew<nr*gA@*WQ7*x
zMjhDR_gzjAAlHV^Vexj*z_H=Eb!b*1oiibBUoG?6NA7QR&4UH-%Oir>T8MZ-TCG>=
z?~=icVS;q8XA?R&_~itSS30xeX6eIkywVa1o%7?JWe@+@*kj1M@kWI8vVz?!jl8S0
zx;a08;GnX!x{a(}7wUslJWs(rny*H6$VS4&5MiGUx^^Mk6v(+VL)4mdFJV-QGc)-l
zar|R&V|k}sPS|rEZ`()GL-gEhQ|V6G1>c~0BMMVok}$!Mg`T(OP7K`s^d=b%3}yTu
z9JDXL=A)G)?v7VK4fQ)tiQJoXe5oYKoU2<ZrGF2B5M0PNx3cmH^kAti%5s+GejyA>
zJKzS3)jSzV248YV*d;FINi8F!OR?77PVU06m84_WGYVQHlXJVRPthoI^%<=F(hWov
zacxlWP5j*qyRUmc!*3e+1rFy_$4P+4^ZjfD|3|FzFDCfUM;2vr8zfSRg4b5W%70Ev
zOaF*X4>yW=h2KpE%@oVB%T!N!wbvg8`FpKC<H4<wz-Mj(TSw+xvyG=o#KzBFVzLbD
zr5aY5s+DcEAC47rj6Mke5H>e7X+(cI(tL$2ecO3GXAf|wvN2%^@$?J7@lda+@ldbI
zPSkz;cBj^1v{*;xQ~=L}e!VU0lLD{hviMxjt#y|#bK!WWeLYBn<w-&qUBcFCyn0(^
zZBL6o{NW+UKS8tKxIUAu%h2|aTh93mS85f-97zR6>Pj4FVlfT%AH^%}8oaBgi$_|8
zF<XTb3B{`x{6=f>cUm*j3EXoY#j6d|>Pe$_+X%~5cOir&G;g+c)!R^TS@}(?f4KG&
zkSLHD`mjPjcqELRsISZ%c@+y%jie?X8f?=Z)Ei0?XZ%x1pd}#>4UXgG0(k45Vd~tN
ze)NFE@SJm|rVmicbT08w-ZF0Xs*7Ul+;FvZXi5R$X6CrQpF4fZ$5Cq{n@%LovGVZx
znGc?qunN~*;AsS(m<)T~pSr6R2<qj4B?!W5R2U;K>4xW4Iu<S{5jj-)=ZEN`(uhTu
z-4cIj2~Lfy^={9B?CGOAGz=VU7?h%+#4Jo!vI7h{OAHOi0s%HKs93K@y|y#6+rJ4|
zz)_w@<?qN$JPp=3J%y5I%-%K4dWGb*(mD8Vb}nCaUPK*ZWVR8THG>mMFUy1Q0(4Qz
zn{-j2Fdi}`onflxx9`Y4GAlE$_fD6U4-U?c`8h^_8<Q$LHmy)rm05tm5j6H>Sv;bM
zg&J345OLm4XV8EQ_{W&yv{m7e*m2I&N}RVbe9$c2ptE)wAkK^g0ib}JHX@bf29eHV
z+Kx{deb;$&YTu@iX=aZG?3pT5Wrlmam*iK#7%Px})=hpFSTSC2U|!-}4Xa0OiUD_*
zI&tJI4VLB8>8)jtO8HyI3<w~!O&6%|fdLE>HS#_{E3OX*z0Vw}NOo)dp6JQnX-V{3
zEmgDQfL3^$=3;giBSE(Wn}O1Yf|rI;bi$}P11Z-CR?ieoqf0#{6!zjg=}um@wn<cR
z>*c)yDA|u@8zop$S2Ktf!zIkH0oQckS5<9;m{)??*#XK;W+t}W#P4ys>sU_D<3}oG
zO_56lth6`GNVBZpnsCZ*{TGz#Mm<%LRd!xm9m96@UUQzd5tyGf#;-m8RBZ1f3WAj~
zQAhlRWu7xfj$q@a+l-{dvU9V<sU;s?v$NU(VAp!-^XX>tRPxzef(bI+yNV!iDx%gF
zo2AFfk1~KdhjHs!lnZUgTek+o9KwasjY?1ZBBRl+I<~!c*KGIg-`DabEAbX7UWrcd
z`k9;30QuI?1}c<hXT1F1Aj<zTEN6?$AN}<xofPO~+$0gw`0S>P?;cfc^h~}VovE@_
zq376o7TB!H=IqYf5O~OG*Nev|ZRy+k%NHDMgjIq9TSG97iOap1w%s6K(_>jF*OZla
z;5(zvY5*MIFomJ}VpS1kWgGZza{xMU+Ij|P8-Yz<X>>=PFjoKoTrd6@PINoxm$~im
zWO>Kh(iYoqizlnWfa<+Db`*HZ!r~_YCYk-l`Owj$hG^d0qB}V|J83m4QQ<go{H5pX
zla+nR)v}fQH%j`Adc0mb7^Xanz?p_A@7Kd*!JwT486Wg=^0ZIVVAkKs&6)S`mBOFh
z`6u_+&9D)4yW%;KDjONX`yX|d=N^ZN>yr3IkF_pK>C_A>Rqz+pHDBz^?J`F`TqJ(H
z<HY)pj=kkC%T^Vm$Up1%gb*~->+<Nvt8I|gX6Z=M!T$wi{m)g{aiK_iB-vcFj5n?H
zd(`{#UbjH@@I18Dou-94MI!Yd9sKgA4?eqq(%^9a>*l}j@h`~i>^(c$6xw8=JRY+5
z|35hGe~#f_TKw_&%YkN%F3SHYGB|rY3B?`zw?F=09fQHDnPf|~I;)rR#`{oQ(f?uV
z3^D~WR#C49|B#Nqb?yG8<FC<lPcP-4?|gXYPaA4}xNzq$E`Wde+21{~h(?Q%yMzw4
zy579~_lEd?h3;9GH*?790{iG4g8#FYPv4zQ)!o*?!8#{-f&cWaJC_COo%eU*o>Bb9
zOMiW)+_`XC$ki|Vr!GXly{}pv=0h=&FxY7s#CKb(u!8cs-`{t1JvM6FhDB!waK&<~
zU9qP>i=VbDVKDkjg^c^I-Dng*GdSxX&LtUzzF>4wAeryWovm5hkisu66)-HmdU_DU
zqV9`wJ~j_a#YpZl9*4DfEW+F;%hQ8&!ul&?3~MUsZ#E*&PI=9M5fb1_D7lwd3(xEb
zYm^pIka?X&7nt5Or(^bZm8lV9p4fG(Haj5|SUiP$Qo+Swk%1pEn0#3L#$p^cZe`0d
zqK-?KMJ2CqG!{Mf)9Wk+^xaCPtg-X#t;>U80nklESAE5Sai?^t%?1?J6^ewWEC(np
zdnq7Fkgt~k5)9p&WfH#Dz3!6*ZL1|yfEC${$;$DEwur%+DLB{|HBMwvz*{Qcgu`-c
zdeJ2j(~weDDa02My!nbedb%=TqbxWV=!Ih`@q&0*^*XFFS=5(4@?onF4)64_f+nsk
zfs|BG4KVnLF%UHl#T0K$DIeCRECKumaGt#eooKhPS}nAw&$K2EI^bt~4bdxYvF+34
zFfKPRVO;}3oc)zAk61aQG_hk$;Q6C1g$$y#u5CT<TRU(nYNX02W4GV$@#b_Du~uvl
zpwcV|XKBZ1!mzT5;VcL!5G{|M8GvpQ-yg}PD>I@+Yjg3&IM{wL%uI>5HaTL3y*7yD
zCzeIjxI%J8JUbx*(N$*)1vF%MlrJ@mAc>pCXkR<vpz9;s-WxI~Bt||Di|^M8gjOMX
z{C@b1!BX7Oi13<nSUm(#n)fbD$qX;whR0PQO7Sqr8>?-3)G`cP%4@dEGL~19E|xjv
zDUz`XT$M+7hdq+vt8H~dKPh{(>j_m4tCB&O^Y|rcRqV6e<W50n0ru;2fi+c*&}4ii
z&<r__#HQsgK`Ty#oRGMeDZNv{MDS`gi|C;r>ZGX>IA*ph+vs_(9kB^PP4@UAG6qD-
z-}Z%~c~Dgjk(1*RT_+)WlW<SrJRoA~O@+}$W74q`bG^I5e)TNTqaIR;OC@IYNfea<
zec_(H;)vQ==%QFD5N!!_TU`jTSdpl;$#4v-M_X2Rg}Y^MZZu9lXtMsaDG~&PG>IQ)
zm1m?(YJZZHmO<CFW&D&VKC#$h!e&AHvy=xlf$5t_9jBB;|1;68W|-8;OvH%x`q|vj
z!i_69;Q|zqljDJtgQ2L^P#qcG!8W&)NsA2k$#-$90+S$336q+XMcBJ}!1yw5$Zfnf
z8J+zJXtC8aE<Vb>pWeq?)n7y0XoxW0ve_&dzFFTl>H9MyIhhwO5rPXs!2*Cp5R~Yq
z(EX%GarB+#Iw>WrDY|x$OA&@<`6>BRNX}&3F~ogRdFp{uy$z~z%h{^_iTLfp@zpH1
z`fL>+m0p=To*aQrW&e;Cq66Dt;1ysbTJb&pObu#@<`|}tWn5MT(8OINrK~M+HNOpO
z;ne&jz}T<X$1P{N3iVDaFB4m-WPk+t_FDIvVyxZt*`!d87O<e^%A1jW#Tng|c{#w3
zy^cKtzDV3Hw5|+;3Th<~4E=!&l!GmN);2}F-*67WiAOiZP4T4&zI7z{D&og{YLWq#
z(vAvFnU0eNd(%OiO|VlgD}-+a)1-JWVj-o|cIho3>5oY~c46uDP0|ETmMzJNC8P#4
z&OFGDtV>2uefLE|LD{6NDhII;V1{TZ>mU@!I{IGJ3^+Mq9`JtCtR85EgwB}EfuNvA
zp4o2c)%OmhZIlPww4!c(9T@Puyzz?&&-zez;3Td>&0np=S}kR>&bt+CT+Jed#C6w{
z1hOLADr+IZWA4?nxJuC~bopEruocasE16z$TsL)$s5aj>P2{~q3)rO`oeK3hd{P##
zm9gA*U>rD7;t+;N4KK%-<BW54aoxVq3O^gPUu2Jyj`Fe<s;p`O`5K=wIqQqMS*#W8
zt=PQM0Ih@>Mh+htllJyy0TSg_H>^NHSSI5(<2`8|e8Z2f#RfKJh2Adv<ZeX}tJz))
zseEv8j0DZaR#pTlF_ggqB2$5|?!enxyj4Z%bt!pTHrvkJ5v-#UAN^2Jhk$PRdYj&H
zAaXMDkrR<C7q}66wss{|1p%vpv|_uj7ncJAp)HlQ{U#{ok!FlMKB>E=&9hgTu?h|%
zIRa1;HsETzu%B}JojD1{y?!e7nXiPyZdOeaMT9TvDhG!nx_xHYt~$akWq7MF4A{)%
zRE)1xHJVhg%doy7yH#e|om3;%Yt=hhh;e!|8SXdjAu|rESV&6FjBt31Zxqed6*aSS
z6akfGgX*e?=n3OIn4b;GF~k!Y*a*Sk+;yuK?yZu9+9nNlyTWT9Ndp{v_<Dbu4!`$n
zrW}0{(dAKI8?v<u!&airC#CCw5cHH;)0A_mU9aDCwXAWC;4x@d$rfmK=-w<yEF5Ux
zwceJ=!&rw|<BtQjNd@u<a|h>{wASSSQI&3!jgU#$&jFRK;`%s@wUsT>0)nb3!{c(_
zSlJ;bXMspqKXDoc%ANvMX6}ZV<b)=j?UE%&P`#}(j1gQ}guRTF8(HIbtrro_duD+!
z8z2}|uM)U@w#(#==yfm4eCn;4#>oN#fU9k8H}{RgQuR+9d(F?J{Mz9C8bxYsMXxX7
zbHJItu?QnlJ<1)}*JsQyHIG<O`ai)|=;EcC-liug++nb7d#R5{m1U>T)a;_tN*0^5
zNI^hlt)6HZe$o_pW|4!HGU`Wg!;;81<Dg09`q~uYT~pCP<ucg5b;he4V9mDV;&|JN
zDc(t8eWMK{8f4QuQ-$`Zg6Sw_dW>3LV=q3i*qYcYUuGNhMTXqKqomQksJ4JyV1_FS
z4oepQSPXPGs+DHJY;VF2Yd?wz3sFPY$0jBRz}W~%5LjZxYi4mAu+Q|?m1PhxoCWK4
z@5g~L^60Ty1J72sn<;=0;are)mzSXk+BzlqZc)w~;g|kGwkcC*V=c-Ng685&pL8vx
ztXra&*$`b{M6`Bf-z<kre8Tz6fpE9prgXE^SJqYldOl?|+u@txkXeZ*t3DaKgVkoh
zRiFKdghi5&M6Dg;LUkF7)L_wd4~0Pmv^%^B0{jV^l_0)1&%=oN0V99ndU1`p5j;V2
z0kDWMn0<+hSZ_za^khB7<mv}pu4N?5_(#+BGm-yec6xu*CZj6%1>Tg5`MDR>YT?JR
zefEtRM0d1AqhqBoWY4#BR^}{OXS1U7{?nNUQR!N!nbEhbx72m&25v1Cc2WNOuwaLY
zB8_4RvfRFA%Wznmu^P+!S72D2tBMB+`hpf(jqA@3EqHt?z!;S;f7}#bW-|Q$o!$TC
z?sIrQrkGMN-JKx8eJ60rreX9+cnjghcJhCo-$xs(<wp+Q*awb=oKWPy5`A$J+x^7q
z(z>CZqYa~B$a%hD4(`vau6(r>o8`t<ywpnLV&`F>maD;z>?l!YmDtT3FlRKP8@d$I
zB9ZH1qDYO>HAQ6pKgzB%s;O;T3vvW(2&kY`DS}if(ji#rO+<Q$(vjXm4Tznt^bS%*
zdJDa%K<J?vNCE`uEp$Q&ffw`~@ZNLBefNx!9~s%O_gZt!`ps{x-PHnu<l=cN>!BcY
z1%AZCXv@_nKNUO(;=xrzk{5V7?NN%^6MFWJa~$#D*b0v%Bh-+fP{QY&rK{}>Dk9bP
zsYWU*f+CgquK7zs*_B-&@j?rTrad?;)dEtXibul1C}b;m7kP6CJ}VJ!Rt+A}<<&PX
zU5PWn<_!-DEG5noQrFNA_^C*Dvpt?pGsVIQT0+JbXTJ!NCiR;3Qk}Pmh3299^M(Q8
z++L$hk>3TR`G?k>QIm=@5l|<dAxQjZ`&n8@=VZwIl9dl?%FEzpqC^TV%nWtQAKHe6
z6u2))rntv=jg&N)^D*WuOBO;w_O(V<#*9NEULg{Nc1r}mG$gQ41L*`;Fu3OPBJ}E{
z6cC^E;DlVr>%7gNM+q=SDVC7#K}u5HVo(aDBRW8fF6cUa2CWB$*1BB=1jADVg_)sR
z{q$$Wu)xg7#;x_lXPt$7km!*HFS}0dPPoLD_LAd~FSK72;L%MsGp{XiwkV2lXVh>Z
zZ1S>D2Hf-*sR8i}>GSJLuiT2qmo>yxr_So4X4mYBkQ=3TJa60)et^a$v(~U=TuSWH
zD8X8mbWxrc3+;=%yEqoVV?FhkOE8XfLy!WTdmTMTWmzNAY|^|M$;dr~Xmvq-))Aly
zzY#xcN-*+H`^7l@Wyn&Q@hEK4GSw~z610W2$=X<BhndYl+=HgYs$<3`KVc%w%yD+L
zslGfqysiLfMSjZ5DU-J-NVj`REM`G3Oh~5_ip3UL=odnQp&-DJnMC;H7OK@{cUJtf
zBf)sJN*qy%m1Trz4Q90M>M4~<G3Tl%vXHw*f$es;&uEy;Etsfs_sMsRU&x(UD@eT#
z^Mx)gii^iAN@P!&tzAV->tUmLaDyA4+#xVfgm}sl)GaL19s9wb57I4&GKj@Fpkz>0
z_Q|$5^Lh(NiNlrMr~*^voH#_QnPQP?B1E)|5QwWG7(L9Ii!>ppNlAs4^M%`t#_^!?
zlA(oWR)=<mm9A(r6-)mLZF-=6cp?g0k&3ZT+*)@nF#_XM=SvIhU5vwdjTzBv3{Y&T
zt0ZdB9)~cguz*DK(1fR2R43!1c7(JaEDhY&_PL1tz*G5Mx1>t|x^K|=(H;^x=2|==
zQz#vVD=d?$EbzeWR;NPCQteB72qzwU&r6|~3~_@56DhIKtz_?<tS*wEAsAf`cqk_P
zd#UDH!XQM|K04o){hPR9wgk@mLSYuneoLFDvtlYtyECh^1r%Xn*zSs!iK$(Y=u|+S
z{eGtWo1nX7Ks8R^WsCN+cJ@qydrNVdwj|V=!#Y^so(^Rg3GH+(9`l1M$%x3qQLTcg
z+SDz$QZ@@+r(IFQbY910At+riJ6$xgF#00Xq8HD4nSIzp7+}$br^3EA-xt7Cqyge`
z-}i1<M)fQitX$)VmdXr4+<CU4zC4{G?kL;Uq<ol}f#}Un>@y#eLV|1-q%21vz(R~+
zxFc}hegy)4Yz0`vB;uD?<AX6HMefy(iAF<aDzgH{hS^ALHAZ|8i-2Q4YnR${$4m3|
zBRnjneHwVm8W)Tfb`>kFml2g=;xkq_yF`ps$`%B+6~))-DvA5dYs_cjYTS9Vb7^w8
z8dC5Kx?RIVw>Sg|)5n=hR$4@weJ+}yEi{}jAK5eV386;|qAZdvwvOyz-)=T81|eTz
zQ5{o<{ot2BtX@OU8lDX1Ei$tpl-SBT;dy>miEoV!XUK|wBwc>}i*NMbkg$Mn%<mm7
zq@VdNTS;??@Biib#nebFR}y0+i0!J%<2N3vQ~WD2>px*C908}c%hbP?HPIj6M1pux
zLG&`~Kf<9-5tFK=shl#UYkqk~Me4tU6MsGEPtF+q9|Sb#o&BY7ViB`{r;`1r5g*HC
zJdNCmWcV&MJL6x`@%Yl;L*EH*7WV#>!gGcjc5nVW%j4f}(R7!Z09(Dhsr(NocY}!P
zdDtb9`~OIqgqgXK%i5AM#CrZuQ#zJt6Xg*ch`ngeDTi3RcPpz6aM2+dH~0^4GD$gX
zH_GHs$~=wF_qYa7-b4hFa_lQMFjClR8e%;MTIv3Oz54x;mk0|yxAv5?efHp6^30?p
zMPe-lB=Ie(wj0~y!1hPM9V-!d;)a!I0yhn;8HR`;E2mSs*Flp`&p^ZuyhR@T|J%a}
z__#WCNe}fCdtR2ZP|LG;>p7H~+&1I2o#Dg2JG&IWHS>&Zm-B~0AOQ6dg&ebS7#)4)
zfJQs?ygv9o%O^quvoEFVrECaunV_h>&2Yo>pJ>TjRe}lhJ4h)X=<^aODzO`u48UU1
zjia38bJ4amoqPZ-S9qc93V7t^*`r4G48p2MrbJ2hW-eRqB%gQ6vLi;AV$#YCT(8l9
z97WlSuqp+=N}Ke1L(BBP%Uen!04hPOsssS~u7Jd67PX2@!loiBB2?2eY1o^@cC*Se
zTtTk&UijB4-LHr7v)oK0xBPVZl5JSJf^rqY8^*tF4tl#^Mve~8&(+gyv-VkLc&#nG
zj(+2N*jjJN9j5McCn6WV4w2T5s&7MjZS0Mf4)mYX?a@W*>)sd(udd6fB5eK2dU6<A
zWPI_!!z{(Hd#GVwRf%kG75;JtTVGHr83}UeH^A0d_2TY#r}zI8D-^p$0!IaM%2`#U
zH%C;m5Xq$gX_VNM4-lcMjO<}k)()M19+h~ngZ1iR-nn}l-xoa+NDXV*Z7eJLG$31{
zwG^Gs)<cfcJnd4J#a;O;GQ)unk}!N*mNPdBt3Ua3Q-PKNBY_V-=3j$UEJjd0?{RPt
z1~S10I83amgQGsN0cvI5iHT0ciLjd~Rnd{ld;6hxSI2HMOaB9Z7eFnScGQ1B=}RfF
zhm8apJ2=RHZ5wLrzj@eZW~|Sid)~+XYv6Z&6KNooo*UaR2e8h3EikvDRXe=(kw|pd
z1M1ifE0F|Dn`h0Hc3BwoqO>y-Zj|1mHxXtYpOG4W*1qiOS&p@kyOF7zgbkPM0xC+n
zy8Ow!*#@z3vs>RM3*U~Lu(8_PH6H**sr6Aqla}>vEwFQQA-0JUXTbktBHziR)+wJb
zjntu~T%VTFGi|M5-gZlVXw%}z4N;RLXQt^PNN=NGsJjzpVm;=$t+TNXe?7AlF9uR>
zXW>Yj^DMw9CTX&SQ9X^}d+NRY1+?_6e4q|Xu!~6)g|c9;Yb<PANjNO4c>AkP`#lO4
zn>i!;aI6vAytP#5%0!>z>(K(SQWbJ(8knPqE`Lg3931Jbvsldu^_EMIS(+;HG7e#F
ziXzK&UXdPgNC~gDmyZY!dJ~<xREYL{2qHoTuZ<n7Iw0=OA%(0|crI`!(s?k-*V7#=
zb`u)32`U2oGz=6uLv7LTZSOFly)K2@j`mqX(%<~oko2!X!_$b^xK%#!RH^E1c7N+w
zI(EM!8q$OdAC<RBoeLkbvl+on&f0NSoXKz2G>4wSVr&1}t_F>q4vSJDA$M3XEW&17
zF3^BFfv54P?nS~&1cYW`QD!BVJ>t_d<3bhRdGSS9fIy%`kI5Zgh9dWa5qYKJKHq5b
zjLcgM0oj>}Wgqrk7ne<3g~Y7)CFbWw6$|^-m6R3xHBFeHw3W-xOoBv=qn>2GV&hnv
z6T7{eH?kCV%V#<M$40jKM@(@oL%V!XBZQ{?zB3y_2%}|eIvSdp&fnl62@*rvdPpD<
zT+onuUyQHP!lQkRUM<!0WvO?~8E;GQno&X}>I_sgK4+t4D1MIwzthD3lOV%2o<J-*
z&z6)+hDF>jj|>lbRvCLCV<b9M(OQ%EJt$IBQ=(JvS(^h}!d#<8aD?6hTY?4HBBxq<
zB#aVO7u_fReGSQ$D7MZWVNuw;ETs(hx(RC3To0r2Njg=|IQ#0B*8(PdS;UG(b8d@<
z?+U1-d8UA3MVLv>^gU>xj~@P2M{=9<4QQXxELG{YWb3p0qln+%sg}(&+W5JAZ`&a?
zrJ+Iv_(!r~H}?=<6vLb5M{>T+0Gh3G*KpAK?jW~r$FgeaZcQwI<p%j_c7HHCRcyI!
z?@;5us@K8gN3|sNxW4+*Z|`S{SkSl+`x}9?{8&jM>7I>8FV;^Il;ddrpCt5CnzxyY
z9}&NQq!7iH&PIjj43G=F$)1(z^N_gxvF187Awpe(n!TH_!A5c*ilzF@rw(jSPebkK
zu-pw1)=tZM)O_oD^g`Urne0@Hpd2s<s2edh%Bx`4uA!tU;i6JYT%X1eQS;n`<%Xi|
z0aEOYTDyoTt(Ww)XFlqKY*hHE0SAC`rq?vG#YHt?^%*ovH>F+=^yAj;I~r;%S77Zb
zPSU50cG)~MD&7fWsQ4G?N?d#K!+mp=^`NZkOSW2pxzG<*G@a_|%6cxu?@d@?t?G)f
z)(>XvA9M9K{)rTv-jnDkpIRVYE>$|CbW@p%JRt1NqZf+FQmmsx%^wVOS+8YIk!8_#
zkQ+SiN%1PT;R}j)Psjs}-GX|^i3Eeh9+md{IQtGMR5C>wI~STrp^R#M3-bkVp9|(~
z!9mV4AmRQ(`Jj(gv1YR=9)Jd5*hGJrY)7V7alKYV4uRS_bS0ey9rB8c{ldI8@5aEg
zVo+{IZPJ4b1Ie>CG>jF{pbzSwphjm(15zdS0@EaV>{xH+uy#3&A<nLKJ>unXy>hc}
z`-54sk0R$kF%eRwCs|$BIijr<t}{4iO{VoId<}|x=tlp2s9{HS)73yRmYKQ?8+KRS
zq3<5V1C%I)JdkfWU0%-$9(1@v!HSSy>|e7?m;~iJdWi0QM6IzXShAyz@-f_xqKd|~
zo^C#1b||}SrRfk8`>9)$@@rFCRH^sg#~O#VEwr93Gc9_MTGMQzTru|$=hq|be*r8B
zlKk9>h_gzKnwr1z_Q!Qwz<(uwoTO^M);e7MNft?(pemc2b<TBmqFeJV<g)6Q#C@_=
zX0F9+^?cOydk1RQ><<AAX*%~P&eQ*RIkRQ7w4A|IFp0%u6ep^``wD`1`ki(9RZ?bG
z=Jh><!Wtf#!Zs+sDc$Y>Yev9Adq>}mx|me;-;}f`0Wd^oZ`rzL)JI$zT%IYrLau3f
z3y7B*L54m^Q@kE@C~T7CboJoIz$sFF)BKt!_qPuN)s$DcpjC2scYa{lC>Y+Eu+?ni
zQ0hKE8)FXF{IiSt|C=mfvh?%;e1=xLs#F-|3=$d!?JU-^$1W2JQ&~~Xml=$+%+ej8
zJ)+8I=Be*}Z763IctHL@`NdkF9{aF>%;se&w0asB44|QDiw?Xq62!*De!t!Yb8n-+
zj3yyA1B9!#>WMaMTz+8sA!w=GVPl~1evs?-7oDf+59q=@=0_}9V<tH1*hz9ZKYmiX
zdiE}0O(zFR*{3T0{d1Bqg*4h?#9=&mR<yH6(V!@Z>cwWpXxbQl&SdhA`h@`c|2_MZ
zCD3wJ9fyPj!XoZIHmP!viO>cqPXwE*>wQqi`+USLY)N*LiZUq*b3*(%sN_=!jQLu#
zo~8*;iP8S@WVJF%C3Ta<bVO8z%!tjh%!or_v%}qKvXZt0N(%P-x2R{=Uw4<9^>^3W
ze~kiN>4*7<F5g-4^{iy;_I1M%&gkB%Z6UlEUCI!2*?_->!eNYmvTl0~KjU3qaZU@;
zy|FYz^>w62#Puv)Ytj{*(b7!jtCVdS2Wp@4Z0-`nfr?J6#7fh#2-{I4UJ+I?;}6*5
zyErRz=O0v;O<$<z!cH0TYTplJMz+kn=ALC)n{?R7Ei0Q$tMlppu40vF#agXEetXUT
z*1Fc$5Wj}KFUju-r<54i-xd<v*(#vdbRArlN3SZ^W(&@O(>c8q78_jFR7)Nk%0<Kd
zEL}6$_D4dDeU}wV-w%T)c7wZ7%IVc>X<mScOyQnjT^LkdLbAKQ_*TOWNq@@>db#XZ
ziIp!ZOjWiGb{c8OAG5bBezQpnET#KmThTi3!GiDE79O-WEhf}GO^AbcU`c2$sGrSt
z&QMD2Ww=Lz2MdukZ^VboD(gjF^N;8=Kw~#Lm+$uf4@mQgAHNvhgajqYRb0iLk~2^W
z>9_F9zdc5%ii|<H-95#)zAypt9~tGWnHgNpa&mz@O!EC*IVRQpMq-tHj6&Z(t9NBk
zJH^Dm4{Lms(uwGvzYq;#L0I}&iADs#J3r_L6}?KtIoHK5bcb$5&^|VmyN#%B(@}Uc
z&skjm+?y}rMW%mMg<(X%l%%$KQ5@aVfo0l3gJ*oo=O4L5)VU|=%{$sf#g+C~B~-R*
z<3{4U546*_WQLJp!#>k`r9uK61&va(AGPW$%BamQLbZ*~{v%zWB-G-_%~bu*Juaso
zs4FUsc?pI2*IcPZ)m@exHVS6Vb4d?my>(-1>?LLfGh880ehauUku@{1+f5z6KPk>{
z$Sp44(#~)1xFcp^R*hHr<oU@=fB92CsuEHWx@by+UGoP%L)SQdlOpVb0ozG_E^4jd
z{b%ZW$upmXS?wd+y9Wgf;IT&M#wFT}jN%TyJ0*)Dp!a>tf|aay=k6})v5s=XjO}`w
zKWMstZTrF#_>V%?B~NcMDJ<m^`K-|=ZmQ8#;Bva&Z;E?}po|Q+&B6GcYEOr<YTqBK
z;_E6hA7}<SD8$eFlUWebq~hxVr;kc+nMLHqHbY{yu9wFCH=CIMNwWUDiS^R39T?k=
z)MqIMoeH8)bIBiiEIgm%rgA>u{~_l6d;ES#saLcYK585_UZ%J`e46@S%Yy$e3D&p~
za9ZP(_t|Tu=Kr7`Bg7ZFBdqCy^yz;Rlw`-($lssZ+&Le3VzU23Gz&0el_l;i`Dpdz
z9}Q7ThA>3N)Ekul!y`@-1t&WKHBLfg^Zfaf-%bTYsyyLWQ^V}DMsF2HdKD#>(rvUK
zI1HH?GypL>*w}gtYyqyK+iwp!=FC*t;|k(|wYW=T<LbhMEG7lA7bL<k3!cjwh*@zI
zyri_J)GiVQuQjohLd_65yajm#4vZEk2B2&VyDO00YJ8JGIIt*$PK3<2nrk&c+@&oz
zydch~tvK}Ew#$I<9}wH{5+D#%5ehb5$tl9vtswVGkRtBVmWdV+Sm_AF#NELvaRj0k
zgBfBBuD46VFS*#kSaBiq_M+NWhXRS(rtp#xkAj`N=DgXm{358U^qu8&PlSgZV`tm5
zL^-^7U9KN5@Up9_mH+o@Uc+ry$xgPS;H_$qA;h7!r&P{<-UUGb(WiB{bIiR$<S-?k
z;n&N;rW<Ub-C!7Rr;FqwbP68+9fwdMba1qsOAG7>L-cb;y9~keK&YA;$XLZDfr63a
z8yh_YG6RRlE{-s6=(Cj-*)KFqf2Nr)H69&<IRd~8{M$LcIa7#Ok>5SxRmxwOn<3B^
z9;8j6Ef6vMewlgI{L(n_M&z1Q>Dhl#m+|(SP05KIxLphPV-p%rBeR19xXq_lz9;=7
z`cDqruXPvWBvwetbe%fQc=^`Ezd^-f(<C<?2I%3?^1vVJ;t#SZj#VYagxHw4ci`Of
z=-=&PJd;u^Ke*N+`R(=n%n#-=$It&|tLl^ic$p#wr&e|85u&#Mx$$_e;~9Ahk`XM%
zTq-=D_#`tLkD~m<U(T0wpxk<n_2a95E8PMHl*iKmbUN1nT0gkU29(3Sj>i(fkwRb=
zHlr#z4&p5Xej5f<`N_h)g(r^$`wcg;LP%5G{%$jQlx?Zf;Ka666|GD=%Mw5hvfJf1
zYI?vVYcKn$(7FuC25|ww<M9*xkNTZ}lHiPtbJvCFBSR&a%2$Wa$jrUI^l$xwCTiL7
zcUrdV3SUQ3;@+qko!faePrYhXe8OUMk{~NS-8=7@5_jC8ChS-tXMfKRQdf7rm7%l(
zeMpaL3Ky_4`uDE)lZt|;6arh8ebA0)!vX^xuQ;y$Ce2Iag!|t3$}W5|>ZVAACrdA8
zMz~@H6E+eq(OVY>3S2rC<DbjjG|#>&mP*IOD#t+~NqIBz-O4M(yd13S_~}jLEKL_>
zIp*4*aQ!B0j!0SXm(tYf%=AjVbZ6$fF|?%A|Dvf!S|O|Uq!E^>lD(w*I(MW@KkGAx
z{BOYQ6S*Tb3o`kOSow3c#&0pd=U2scGF-tT|F|H&us*{|s&|R*%E_$$RFv`CWP_<s
z@ztRA&EzGM>K(21r(FprWax1lwkFCa8k1!`3CA-zMRJpT$~LmT?^E%Rx^Qb!t2y=Z
zyWg(<sV*F0&jCX<SdzRY#$eZEV~Gt)O>Ek4n+c1Fi3k}h(beqV#G!FB!1s%D@mHmm
zrq7G{=2BNrUHkipqo_Uss8=E{MRhBkk;sCH5BwEv38v+l$?zPD#U@~qM=g2BqU6d5
z+x|ia&Tn4qUKuuM+1v9b?4L9%o*5mjx3u-CEsIr_8Lh3gP8}TydAM9zNb$|Y48lHt
zPei8GA*3X7#ynMoaCSi{dNkNQDq`uI1sKc=7m(sD$T#C?{WJp{`8L}XA8HA<ufH%P
z9V2j-n_Nm>xKrY0>zuyLayy5&mB<hj%DG63gqVd$Gky7-&x(Sz_HR_0NHcjKfI2sB
zq{bJdWQ2y&nq_$R+&4)HFJ|Pn`l<jk<4e%;GS;?*dnUj}HZ)t`4QZDQB|Wy>pkufX
z+a0e!A>QJ4T={goLkHJ7pID5#F4EQ&8c4!aio$pOnHax8zIiY04qw!fOwiquvPs#i
z%pCF|!2FwzpOfF-8BIv%IvS3}c@%D|bZ)n|F}$XHa_){GR2k+4cr)1vGz%#X8rp?J
z4!dWZrCKe$7z;EX)E6Sr#^Mb;FSPePuwAs=MfaVp{3bYc=pysYQ9UiN-F4X8nag7W
zZ&CpDjIQx`zT8$aTt#s~sw>`yx6xyuF;FH2PPv$J=)qW&x3jHzD3jtXgB;SvNow-k
zu_}q*UQzhDNpJkYrB%m;FXr;EPX`y4mH&tn68xJvG*PQE`&%-appy*C)gt5NO4TOB
zbxD5HA|c|@(dB8hjCg>8Xq3CF2mb+gJ9A&^6{U>x<^?(l$?uCUxCsF(77%l-rLFF-
z3N>3F(jyEPu}<f0G2%dtP)#0%(K{R*OkH$Q)7s~5nJH>^S;=TurjAIV;x%lARTDm_
z!sI%iS?7%zXyk6eGp5Y2Lh0AdsxBd7XY0a;!m^-SrK{Fck7mqu^!p&&EJUC9%4Rb{
zrF&tCP&X*t9?dL%=gkZXhQJCS$DF#a1Ca<<hrk8M(uIwbASbNvu(G>k57PU3krphR
zKp(jtTto#HZe87y*~nd&4@$2q>}br{U9;$&jC)NU4=ujE+mrDqDkvI{H0b=)=@fDq
z_=Yu~jZuavqN`)<jcI1PoR%$h(T|l>c+OWO>Gd#y#8|`YPkWd3^*=wf_pv)~(|ULT
zV&dJfF45shZPr%GBe_s>9%?<yN>?HB$4xbLv#6nElDzrZ`+dk^Z#6CfH6?8}qCc(@
zN)o4Zvhv1U`E23bHi*hK3sU57i}34fKu(hE0Z&0*IJL!ByL(cUBm&3w?CE{fYxKsI
zkE`iI6-4JMf*+KGCAMG+FKcR4g^h0V)>b~2Y&PFF`zQjhIH%?pEV}WqE`M!g!Pwf8
zak4;8QackjQC|j!R6k+Za=7kd<bJ+IPxuW8@hP~Kmd+4l1{?5Oq-D4-i8Y_Iq1sYs
ze}s{2B^&?x%p4pR`-Z1m;o5!4-ZsblkU%DjkQNwpe>hyCb$BDwJ+zRuiqF?LwC<sf
zpNx7F?N;OI>8iOcuk35>g9%UA-<;F`V|-uZE~X{_va{YM*RW&AQeU_LcIwTKIL}6b
z89liqxuVfrf6+wa^yJ8{DD3ua&=)QxSue`+BPU6JI$$5?eS1IC^vRXvtP8dZ{|U6(
zBw3$b+_jy;#Up$Ite9S$IguKYEdPk(HQyG8?e3qbRF!z9sKDIL#RN7h+6#@v-Fb{q
znKjsxcw=5YEHc!;BKpS8#SW)p5-U(^fnne#5YUI<Dwby)tZGLJ!I_4ZCZ&d!=b@Da
zwz#~)VDPhQUue**EdZr2Gi|mj=o(=kwlZAEKp@(Tt;=B%^7cjF)=Q9UF7<65`n6Iq
zzO5al8=VbWGAXh4(lb$DNMtC6J#~GJ76H0~%dHCf@hJR9wc4&XAH<dZd*@CYAM{}(
zA6#YG*~J)@mpb&+u$`v+7OEX?0boLWcP)1`_A%M>`8WxGyp9e=rpOQ`9q{eu?LA3{
z$6|LPqeF6DbhT4(ER5VH`+G)0D$fjLl`2kS?~VAN&?WzXRPs*xaqBxk>%mcjwA;8|
z&0t?gsrK+e!^5TXB|0ECF}X$a&p%bwDU$?CXxgEsJ%uoB*=)=XAf|chrYDy?7sx{n
zdahl8e~J<OoE(E=*tY&S+j{TsMT;1SIM|URdY<>GU}*?@Jy+RhNh%u3lZ9I+cT;%I
zTltXTqZT%nR?^I}`jXzy5jJVvWu}r7wemNun#Dhsn&+V+=6KOGx00y&G-bKr45F%>
zL;B_w*Bck_rhRd5AJ`hagqzRVZ=IsFZFGXy>covOp0h=;)ZR*-;*$S>+6`J|@yA)>
zsDv2_n;8rnRqNX{B(8)f;}DLjDHcJRD9LO$F5J9*hWCdejJX!<t^`f^EONcX`x@OY
zuh7`zeV*;T1?R;EaP}0TENOM<vQ(Xkt1iS4xboh}u_eN{0$u5Bx=0JAO5KW1tV1oR
z>t*2;V2j<t+K9)f0TUlh_%zZC?hdat9;(n7tpxLWpuN9y9c<f~6u4onaq;Gd@X`{7
zTj3v2@L6wFVCRA#7MN{}%PTUKuW0xV3D>IODVnr6#3MU*;AYca+zq&A{6Uqed{F0n
zyt$XddOJIT7b+4{4e|YsJSdz_MTJ?#+jiReEV}a2m9?!K#F)XIY3AvLaOV0kL(bU6
zA!obB&m(@HZPB@YF?j{1miCUc+^Fz*UM*=$TLLv1tZmB|Y**lFkM_P0Jk_5o_J%;+
zrY*3vwyj;7)jOi$I4GxpzcZHQSuEr&L5nJ`%UA+!7j|OudTI!uo*4#jw><!B*`yZ8
z5jz#YF^Rn4iYAbDy+RB=wkjJuvyXUemXgfl!@F9nZ#7Z)f@js>HXqk<P;=TN?^^Cj
zIjATm{`s5OT@twBRq4C1Gg<*nks8dvxkX(`uBD2;;h{9zaD(snwn%kp%hE)8T=lY(
z%@BU7H<O_*_PEE~d1zN&Ooe4p_ojw?rwFUgwGJYTZfGOTo}j!{EDChZD1PPDOD}D+
zkXEwBF{qhD%)(`}K|q0(a?x!<6su6LFs7Mrd+Fu5FRX5#JPUMd2i?vQ@Df#z2ljKT
zV-~$&1z8Eb!@g67Q11I4>o1yZ)z+3KYjoW=QhfZ(AHHyRU%74D)$N#_(5<<)xEmLa
zkpxRu);PLK&sq+3wq8d#*fFlJ8THe1Knq$wVFvlz9_0%@5Cz$%ehXa?uH@3e&I55?
z7e@6?*A`9+7^y5l7EKpu3ndSsxt9TD^UwiW<30l)FMj%`mt;=!ZAsN081X>eMqB1F
z3u4j9H4uiuM@t)0w>DW4>0wDcgp;~${9GkaQxXUidSec6n>d9=z2d2iRN_pZo$U?^
zYiY_kZzSyqN&UQ7E!X%;V3Erbkb*Z-*f+^3k!bu<w{e}`|CtG^OG_+j++80LEv^^?
zU9gkNqGB^gK!oD8pBgPG%!updm~~c_VkSFVH`+zoIiO4Uh=Q%c+NU(SVJi~(42J2C
zq>2W0U7yT)xjE-^FJ90;NEYlB4};E4Tu$V&yw(t`jr@Ked(GA=-e}Q}e5kweEJN!J
zrHyzWu#JgJsoL3xt<LB@(-Cs^$VT@CWk5eu+jPdIcJ)zu+b6&%W4j9OMgdfhg#&>l
z$Jem%pbI?tN<ZGi3OJJoQBD|07Za?I3FqC_yEY6mGY2fv?Dotz1G+ub9lyjSTM&Pw
zUFeiS2G6iW*0eReYID`B8_`e~_jBNge5ysweOk47L<0~ave@ppRl2`*2kL<-0cG?R
zSYhuiMVSQK8*8)|Xt)cw?=Opg%6Z={8Og>~)`@>ANlND&Q=%5({XqD<%1Kct^^v58
zwF!B;2`TzwfO~Xwly@b|yq*#I{9gcFrz8?z&7#zANohlFq0Xm)kCO*_$YX+a4H@JP
z`yxHVOhF-kJI6smDQ)D7I3=*xaKhw~#l-UFtdXJWrGi0ikFVq>sfHMyq=w<So0ZvN
zrR?J3Vvc`H{%^?G_#icHcjvV$Gg&%k`iz4!LG0Czjw=t+eaN^Xm!!wWV0TwaEF#gi
z8oPs#icwX7ALSrnb404ZqhllfGZ=VAknISiE#ikny3Vc7YU5^+C8eR}?r6bXcnhS$
zHyxc=34DMa8GaX<K0)oXztbtXky@6gXL66DuqIl-`1p1ND$zJuF~@ARIs0)!HJ;0S
z+e6%0{h=AHs2)nsc6p?FXr#tH2Z0DANh@XW#i;yN68<&0fDDdexSd_TC=FkdZJ|ju
zea@qN-Bc7_zY#`zUA^Ry?&wF}6AsDht4o9)0s&+iV^gcs^uBksQ}9<UIY&n5Q#pVp
zEo)>xr3N}K{5%LnijN4Gzc|@N?yWXNEBgL1`nvB5ez6;mqe!rYnb`1|NTKtKN>CPR
z?~mg6F(~ruj-F&ocPJR`?lAfLmLY=pF?D+#D%~@dMrKL->pd@UhOD0{`__0OHIJ*x
zCZeC4H(x1n{*+Q2W$y)SX`;OFW`Os;$bMJK)uUWNj%3E~Z5Mgzc2)l)_CsIaNu3Qt
z;Ev0NhTn#xZK09ZP08a@@h=Gx#x+iIsmjwiL)>H8ZiC_gc36Z6%%~;2>&#@ONT7#f
zbu)Eu)=DNl!dj-aj+^Rujhqt5+<>ko%l17WbA4L{((jjlU1};N*}vwa@3V9?QFG##
z=o<^?Nh+r6N<9MKG;mf`qJ&o(2pyw|b3=*;?K{^04kHi{l1oJ3>W8(#{umCReWAY_
zD`*W&%d{}*7bAm$N^J=NTeDgUA8C*7K2$swYtt>(;(l?`TEgondX^nBysM)=YRSKx
zzjrjtrjM7#9a}#>Vdo@CIZOO9*!iV;{k~Tgn;cR!9XJMC7WP;kBM8UA<KR|p^!Fcg
ze;*OEQ$9)g%c3CAGU3eXpwzc(Eh(ee%f-uOe!C+8(N4D;X>jd}+Le&spfB|+M;m2Z
zD#h$yY~>noM*g-vSj?E@%*sR3WN(K1S>AH}q6WCpotg3FW%aVMGGjj4y?dq%p?}vH
z!XET@vK|`GIMj2717Tb2<ZT1Nu!HYVf7|qw-p8iyCx>H<D=`=MQ$F$fvNZGFruQ#s
zfFKD1i1*#SiZ9WMXD`VjaffwaVZj(Nt$?NqIRt?wO8Ud)6wdssn*J1D`;CV(FlbK$
zhEEn_wJ%t^yxz30O$-B1u*gzr;3R%)7>MnXFxr!*>FIg{-PU#6&;L~3@j3G5QTGEK
zdTEgSt0o(c+dK6FUR(A?eK_oezTVe&4~4sz30%Ze^Qaf6GX}y!cmFQ`6i;Fc(zG2T
zpiF<P%IWE+kmco!gB^~84!B9Q=g3g&3CnWaoO;+U2kIxofwM6M9r+G*rhw4UP)li<
z(4wNE4`gn8DKeJl1I%vRu4)sRo0<>d4suI-Ch7fHBK-gr%J3YtsrJR#n1`NrmgqmI
zCbJVUx%Dg)!%97M>LSXl-rdobADLn&ToaD-NzT_rWYTu2lnv{im(Snh6h2W-B{l*W
z$P1`gZ-uV-#dv(9`U$tC2ofjKEr!alZE#H9@|n=*BVqg?dsv(981hGgE;gd!Mx#Cy
zefIHJn1c~>$P!b8e{1ir(*XWujgp=aPfKLTEXTsO)?R=6lqmn!=v6iz*a2Y*ceojt
zX}sosT23uXFr`@eqVS0`X=gc75oF6#0_AaO#;G*si`_53#74FHb}CX#bcTe8EQy{N
zzY^4-2~!L5vf#fayr=HV{m^0hqdPwrhU76c=LG2eZK@n;;X9bHhLT#xLxhPWekSkC
zBe#yic((6UlC?Yx0*oacj6bWupCEEm;Em$`i?WH%Nu4vTf$@^mzwLu3z{-2U*5C}2
z-m3IiLU;Z-%W{Ojn{%&%UrX!w$Cc!TFaOa}`^nsxCMO5Lhk;{(vKBa|cJ~?GM(X!h
znR6W8rV_?s^Ln!1FYW2ODFy0d&@)Mjc=V#|sAOEED8Q01al+Vg;+mHBF<NzG*%t{F
z>vbYyQ|>HBy>V}&K9yNId$IQ5!aJ*GlnR2q4v3p0W)J_avjk{>T#P)2{xHit6$Ghu
zm}7a4O!kFbC71Y7oDd%cPnuLseVi*kFmS@cBp7(?DYqAv&5wVrMIdu=SuM)Wenq4<
zsbb@SR4Nbg5!buX8ZNp{Mis_o*>5r`s(cEF+Xw>`6o+DxpJOMsAN56^M!)z$c|5tl
z(0Zq{WOEW3095RJD|^6~*~6-5w-ZRG^2kToU;T(CN!XU=`|B(KeqW;n=a}MB@{?Ae
zn8*>t`a)C$Dstz{PnQxfp!&qeC&#O*ew35)ozGIvZoK*OB{5H8yd<pQ1C;j4)t4qh
zXzMN3b)Bhmuhh!uXz*<+U3E5pmy|jw5&O3F5EH&U5P*OET<<wbvsPSBhl5_{bTBy-
zezQfjyCaqFIE0Fs5OZTrO?53imET(9d*1iU$-JU^x6!D$Fa8mBVc<oR0M#6S#8#+O
zyyjDZxjP%79~&AvbotIg&}2L-7F+gT6jdMp@Ob>C>DLK+e@W;lMvuE)>b2T;pkd}9
zdTpJ_dDr^ElI@uc36zTX)A!A}HVP*gzthqY2MUQq*epBR-}(Hf{|&GpUk&ioe>8lT
z&|&F4<eQ`Os?Ydp+G{&QS9VHn==yoa$sqJ{N*HSrJCO|&bF|C|&spB%n0k^Ws9z6Q
zKE0nJgNADCMtHLkS18FE17?i;dx~(FQhK{Fzp5qY6{)sYEw|5~<S$OINNPyZ*c%V?
zJ%mOj6WFE0oNk@}<EK7zM4$2(QeP1IR>$n*MldW>Fl)Fp7tfh`%Z5JEIqmvP`z3j}
zhL1oo_#7Sjkeh~l+jNC#ceOT`Sf1wZszgP;$uy3FZCJbowoiPk2kqU$_qRpHvTQ?9
z!D^WdC5q{T^h~F2ovhitBlTHu)YRD)`>HK)`S`-~BM-0xo;0=Bf8f|J`o@-fB6FY+
zfTWVjcf%L)_Vpf)hG(6)_miY0=_0WO0DVvf##IAk4k#j@f6jX4o$1!^JpB&;j&nDA
z=G_gJW3duutRq2qM@e>z;&D28idcg<;D9CWIvC2GNUf*2kZx=zNK<+U2exD9--P6+
zN;_UCwBekQaVDkyc=}&l?l0H1M*R-9ejru^+dY75@DI!$u75;p*)!x<mKR9c*a|-G
z-fCstj3mdA2Ujbez%@-zshEl8ZqHMl5c#EA2<rg^vwow!f<3c=^imSwo6s2oP6ZdT
zVMI@Z*EE!5sgx1O?U#N3p?!U%uQa}!2$`TplFWv%Qy%k06ne!Eq&HFoWypeahucnk
z{+CO`QgOE*{OMxPlP5`2`<qU@+(sJsh-^PRDpoxE$v0zL_T)|0J{1$-$c@mkY=@l*
zLQjOI!-Yg|rxHyTB4NH~|M)<K=8r|O&Es32wA{qvNw5=%(t9H-u<gA}U<0PCk}-9A
zC}DKVbE$~^mB?V$lH51Umwsg4AER<F11#$X5LVOgIP*^2LO=#vFXoi+UXPVG<NSre
za>`#Pet0I3&+!LG_!HO<O#=#P{&~Zqf-g0nidduS_0e%<Hg|;TBcFFv9<cER%B=A=
z?Pw3)Jagr#(a?a7tWaZh)5!w-Hdbens8gA+jcIDIRF@2*lGpgms=Dm7#B)0=p6Vfu
z97LtSvzaUKk!!9s?Fo?f@@FjHjxjegs~0b;?z59u`z>e@I#p@@x(LzImQT0oHfh$*
ze9cvVHQ-){O*f%4q}d~!!GH{Y(J;&r41dPO>~gH2zu7%s0BD5?T*IHb=6*pok{5k9
zB<6r0AZJiWqi9@6_sRK5Rw#f>l;!%|{IS~#U}f%QAcBlsyg;|ec0m8d_3Nc$H6MRW
zHCN=m6<QZU5EiYC22OF{CYJL@PKB+-qw<f+=wv=`$APWf;{g7fco;~K4;a~ra_9Qq
z22^ZU?MbCA$Ha00g{-@WS~Z9lO>+~ZcvbK7=_BKLZ9-1ERARD6{@LyMB-Pmy$1zUM
z(re<IXwYj~P#>i2h!o9dgsbm4Ga&0nSLa7+R)}K`63h<*N56Ld@vX;!Hj44YLmZEY
zBU*Ns6A0N+5<35}h{z2`)LlrlY1yJkLt<de4-2KLpR3i;2`g8~kKnwc;7fV3WQ4<$
z2ua3Up+C}p)dP`=<3HdaaaY4yXmaQz>uxWOO{O!SoS2m)Y@Df<%F}I7x7vwDi}U_x
zRD}vK_ArRKVTC3X3%Db>+ctP|-xHtU^n!e@%zy6|4RMDEU^HoxPSyv{2&mz_jatiD
zA}NPoFJfpG0a&yV%J&k=K3NUYW5Lj~5P?ofJg9ng6jN7)se7$P*T3x9ylFz-SdF^W
z+qnH`@68{d6<#CK%7c%@b_Qg>-t%yFY;`*nvRh(nw9id*3WZjp+U839k2%N$c@%7O
zl*R`M+g=+ML00E65Oa_#={^|kVAIu1=v|e#$GuWe7O5S%_0Ad4lSzF-5^&-?iY3#g
z1f*Tq5Jh+g-Exo1#b0pkuN9H%BiZXT0<-daJdV2%<1l;9H7ohPg5fCkp2;J(ZW9`>
zyMkRMF)63s9P8qV_onA20;ljZZMhRMhY|5(9OTO&2KJ6OH_B((;e%W2G3!Z?6!;)(
z|J&omC(zRgT-9XH`xO;ssHNrAnCZ1X>c4hR6H-+N;$So-AABa7rgN;$ar375)11a(
z8UtLnR1I9U7bR?=mA1~%D8qN*KiFIhE?xD&&Tp!#f7W*v8O2ZZ+IL5(k?hO>clABF
z{slr;=*}A|&RVyZ-ETYOSus7Zgh4em+uURKM<_7$ZV@TwWGv(W?rlBHe(><*Apw!<
zPn_1C_4akml7!bK`99?%?IWv^*Ol)`X8B~<+wOf>gXXqAHsxcTN?{~E=&FZ6AS({l
zrHIk*@EYjDj?i4%O5YR>$-^laVN2@!5o(D%W2PRi&vUtn32%jjPrw4%qrGVR%Qjv&
z^L%)i=v00mkIECLzGuB&&Egu(tFILmy73=XmMiR~V|1j-W6v0R`M1FCo=ojn{u<Ya
zI0!FvfgL8#XdL7o79)^Ihiod}ef@nJzaKP-{)ZZP#N>_d;7tCPEAz`yB%@;h`!ZZr
z>avl$3y{=FSD@}@h4vs*hdHm@ZlnDM+3`fxi2|ZQr#cqr#}3RXe;%Yq@bDqeWyE0K
z<pe~7<3rONU|sXa)WTbMu4v^S+dL06_0iRAu=uAo`WZ+}$E%af@UQSVev2i|oGIE7
z2SJbet_1^a{H7ERec6cY?+~CbJRd+k=mUoTaNR0_Y5xn8^+ARI7Ldp9n|VBo#K_yI
zp#jTjx73x41n|7olEGA$!<Ko9Lj9YEyIBs;82R|q|H@xi2dM}$_C&1>HW2HH5!_Y4
zeU{>qlD;Iw$h&i-C9hX+gx=L7<dbvcJO|r#dbJ&Pi;4|ZoL)tXbl=+QtGX{McLaDu
z4E#G?g@{Z_nj~s41BQS}dlc;20&rU0v;G_Bx>Io<cG;LY4t)=|{T(+DFu%gx!j-+S
ziCL2L42~HX0d&3g$xs<x%)Fo;!*vIoeB)YJhmHpQqvmIf1nuy$KIu%3%aTbUDWBBc
z7r(SaaumB(*{Fv{^c;KSse0voUEdM*{7GFSIpat~%242_UObU*bznyGL+YMm^mRl7
z%}UJ`AT>Q3u~LK2sSRUiuYVz3{IYNYfWy8v$64GN%P$JR4FJCH&p3hwK*W2n#J3cv
z<mU@hsg8$OM_bS~s8jQ)Lc@9gW{n|6OUc7#JNQ@G!^-cQn-eb2?^hRwZrpieu&syB
zC1T>{>^b%$PZXbIF+AUV<0$PH#$W3r=H>nKl2a-9YBkmz0O-0%9IiV4{J=T(wswB*
zIs4N>(<>oS@oEma(p5ZS6M<yM?)NXdTiv8w{Q!*R2T&`?`seP3!u&t(mL2wm$4oZ4
zEya2qXs(CL5a0ubSsFajwaJncoXeEDYi3fGcgp+XEUu+T!%>}>3rJgPs-t0?7^lxO
zaJ`4iN7c6U%AX2N5OT3ZK=fF_JZG${6)cL?ScmB>#cx(Qp!{U5CAS4>F(l<4(7i6$
z@#NFsd}7}mO2FkAcUaAVKFDPFIG`QdPRe8AGPbnNZrJ|!#>b%DT~WWCa1s9l=waSW
zS>r)<YdZjX*s`i`s)4JP0guBp)G22jFIEKJM>G$ey~%QU0Bg|PWeUIk0GXrZMNsc$
z>eD9`pI%CnGP!K$+m>Ho1@ooal`!9iH|GdF?>(~fe99LjNGoEh-ifXiNQU-O<jSM3
z(Md*~2D?pczkg6rh0hWe`Vl)wD`$SZYJYnFRX0i}s^0H;x(Q5sR(@%_i-(gyn}#2Y
zGKl>`^lrf)&FQcu1+{0`__5S2s8yQVM>~|E3N4`Fe92;~Vw}kpEGg)Zr((GuG*1F?
zfC2}B5t&i;?N>#A_0li`VGn_Lbm&i<>v~8KTTV)onNhXD*9y^jI<2O!X^n!h_FM|?
z+?tT=-{?4hCSjgPGR`jwO0tbR!Ht9aUjREWk;c_?jl)JYZY8@yhhI{;p#kD|=LiSr
zRxsi4)eSg1w9a=@d;?0fCRZ0<Xs9$Gm}OHjAkywzE{+i|xOU;yrDJ_tQXzC<C5lI;
z!KBT<<dJfb7$qs${Y~){5-}=S<=7_0FsH{(qRtmk&8_A7B5PJ=BWVn;ATn+ErjHXV
z#9`B~cc6pb_d$+vUAF~uRQLY}2hu{aS#1dQ!T0m~XYU3u?bLS{;gMD<_(=dZRRp-V
zuA9iT+XwL9SCXBcY#>0q{#eJ<hFl6f^*XsT{*hSJXm|{LZOXZmEs4cUM_^{P2c35Y
z;Z47&v3Cf5LGPd1>sdqI{Q6~X_@ss?tqw)NfLxk??6BxX&_PBbw)s*g#q3n7w~6tq
zPf~Aqk{_0TJ>@=r8e=PS;5FEU<+t@2WX@?@NrOvXRVW=*G<uzNFe-ImyOCL+pVE9M
zS-7?9Bu|nZFQ<%SKinT%IUM_`+cT1l8>qzO9n;jX(>O%xLGFyG|6*{r|32%XekzIE
zNNVgvq_VHcyckSoFZ@L%Vu|aUD$Cpc;J54gPlfMs`|jVNfbwce_Pw+GqI#qvztl9K
z<)~1!;~v|T_N*HHl>L`~AgG2^Hwoh*m9`I&y^K1)X2wcLNn!LizZJ$%7lESMd!K?|
zb7ajK#vFJ>oeMGu#%lvEuorD>#>H!fvBsM!K^n$nI3PX|iwSp4Y~j)uXX!VpP+n?K
zX`0rP6o(M^oT;tRvqg6r_qiL9V!N}b!+FPGn0#$_YpcAkxM^jz?{55z)xiSLp<&e!
z`0QXLyj+rK9=!FzUw%%eHP*S)$_L!*$baqpZ2z^hg<$VqrJ>H6)+BrTOZY#QS>ded
z(2KXJs82fbv{ZT+vf|Bysrjn<+ppw)Ygeg}^cyywHik@G<nL8`wQ}>}=P%~UuRabW
zHE838i*&%HV_#%^cZzpw{kO}ytz<Uxx&eEkXwG&H73X;!K0{0eHoC~KVmBJNtNJrm
zRlClr_Z3oEk*%9!>lh1G%2M%LrDHJv15sVe?C;`m$Nkn>6?$n>!V&(QB{By)lQWKo
z`~1Sd3)vbj?dN6i^FW7#mBYnDa=vd@f?@mz6FG@K+so2avro&vVQi!iuF<tGf^nG2
z#Kx^k|AyVwZxq4t(`GVlzt=T{F!#_UoXX3OSB3(7xDD3WsD|O|<=X)Tb@le;4Gl6X
z#C!9N^r?padAogwQ_!<lcNxL)p}FDw&N_0Ee`v1_Y`qykYQ*6sP@1uV%}RR`eNOS4
z$4_`po?m|Yeez?Cdh!mDzaUPQCiHm|(n|y^bLM~&My>-KfAG$PK6FjRwsfxGk*(Mt
zhUIX3jWr&}g17ZgUwvB?pO+21g5EMlBYao3{WLaEjq`~K{JuXzU5IpOjACzvZOm&N
zKH31Ix9cquv6X1QoGOD#)uaJ)*NvI(84COlCcZ^{2@`Hj(X*!ZkxNk3+`TR6ht&;*
z!{Jm;=L5{A`@@8uS>7(I{}kHJ?~nrjWTRcfuXJ~R769z!!TBcL4D$o;kHGLn-77dS
z8ol4FabWI>!xs3FE0^wNJMKXfn05ltL;E}aYt*3;-@~R28}K1lMTJEV2V*4q)oPB8
zXy4G-*Fq!q1JH-}yBqh5_CL<-Z7p(mt8GdA3t~IYOg<-F+7ZlO*Sn8zJfuiGO4zg`
z7NR#JRn(7`VjV4dIKs4lS|7}V*;g_Fnzw=77c>sODRp>{Qv&mBf&m;CFj_@b7r~LB
zcFSqBJNJA<$?cOPQ8!3xJY4JQ;}l+!{Iu_jLC*n-Opm3G2+VIa()>M!MWtqvnu4+x
z5poqz^Baal7v56`1yo_?`b>>4Jr)ma3^v(q78OSCN&0)lqc!%Y{1GFy{(!JFgB6e5
zTR~vPo)mE{o(8<6pT?Rtl*V=2S^Cbi0)?VPT_Ct(ck*z#QF{hIbby4306ixOZ)){X
z<0TyE4W3u&&N=KsbF~8Yiw=LxEJSm6<5v88kHpU3?copGzOt)}_I0g(k~6%pzw2s&
zjpYY2*3FE0PKL4!*=}$ge$^0W^4shSG?~uvpN~yAoN2_bBmnW>4-2|ncf76riR!lC
ziQR8k{Kcu38ya^d8&@k6!fWnau-DiWjHmy-w7wYf9AE~X6!rVO3wOjbOm8#|&MNxL
zgO{sq2_xBF5ib_cXS9~7fKt^jI{G8G4_^-7NQmuWE7PGd*U7qF5Y4!I{zGx^UqNWR
z`Do*f`UK`ZH8hC)r(110OVR<1Sw=nJu6lZw;6{ItoS}jD6Nn5$tAA9Oi~$Q1l_GqG
z?9c;P-0Ulxzzo+W<*N_bKD?Ud`MTCfda&A>JX607u=9gf9xTrk?Nbo4$<W3%0F2+3
zDNvu_rLWi~7C10fYULfItQ;)+EjMBt4@dh88?%sfs=@~|=zUcE%v)0^Q}mFDPsMJq
z|5~Gi-<FVn(XPkAFq2~gL4UK_a`;}*OyBZfwapoww#KgfkZhQgOz=Md?!+eeuTmUp
zZVVmn9S+v5uXl2Uy`C)`4fNZ~A%xb*!?9FrKfG(B%y!7mE^fy0U}i?+a2_zQ-(htS
zKErYFRYRl*JVDLjpynE>aDwq1)e3CmY-!lxBE)P!$&E5h+(EB}h4***+VIA#1ypqR
zRP$7?xY{reTwRQpy^zIYRJrCcTgb7ikyU%n@cbFeF942^&L>HiA(8+-*#tal?Xb*)
z@f7IscRB#dR;2!|@V$G?!t-e_`XyP;iUhq_B_$#H62!uJ_453S=jqQCSJVt1cry?7
zk`ODA*(9o!)*r$=ESKxNHfHL<jw+>zzBFTrhCR~TW9Yi>o-Q1AgwG+z$3jekaJI^v
z9PyX?Im`ozJ>PAb9W&!3^sb-IQ-2oR0W1#zp<AiXr}enIKnHIO>0Fq3^zc1D6Tco$
z8D!WXOni?sUUK_N@c2MvK@OE|2#_54gNc8ttOVBD6AEWQ70!(N!ji<but*<&?lIra
zf|?6@_0zQr;UKAUlWLc&F8DhEMYO~MZM>LG`m~CQ%5?dFdbD=l)pm9oAX|ofm@uEZ
ztf~A*(H+<G4A6(J$~xU;rVPvP1ZoUo%P3$Rv3`Y(lIbf^w<4#3qG-;%XEGm(z!*ha
zmkp-|S80jE`LLc;vxQa_E2csw5w}lQI+Z(@=6rw5HGHD|EYgS@b#zk;o>Blv8FqAb
z2&MqV?j5fBmL^Bip>I-q2k)J`BcMXeCVTQ(e08cYwhaF=$jHtIEU?^Q!oZpryI^vb
z=AMY3?VJ0GoKwEyix0)4+zSqNoOuJtg--stxQEP*pZHRdJsd$k*>v>#?e}D_9I{CJ
z%f)r6m;=g5y!|NS`tBp;hsML!s6!xcn8;WhF-r1_2f*B~Uwv&H96l64MpVbV4ykW(
zF|Yvk`ZTm(m2%A%G<|(M@qqiO<_jOEVAA@w$tw;NxO-!W@i`K0%|s^z;_YJpbaKJ2
zx>e?uHI$y4t3#V}ORX#k-<)whYsS4ZgICK1<JgnPK>^r&9?w{O==VrplalP?`o@O&
z>iCyOnW)cSWF$BS5h^#*F6@tVB5It|U5O-y#cHj6jH<bPM42{U+k5hHzC}&$=j7dQ
zoR~00UB4j0S?g6RKJ6VsM<{7_-@;a}j|^Lf-xN(HmL_HR0NQcdxDS~6kx^XS+ry6>
zjni!W<S{8XJGozlwFc^53{P%nTKa}51caXm@aHlJkStv_S-G&Z$25d#xbRuxq0^PN
zAC0Q*6$=8J)`S;3dvt5k%r9hsjAK~C_DwS(D*VFCL<E%n=O=(O;9e1N?3IssNuQ#D
ze1nbZt*3RQdd*pm|AO!(z=({5qW@m<i?@b%Zw^``$}cFrNztAoN|o6!Tk9PM)?lIB
z!(XDOOQ#|!rjt_fdJSt^MeXEhX>~^M=8fuw1zTa|cKraSk2yo=CqI0d8%^aZcz`AM
zkOqbptM9)+TC|ju0tMunsma*B=9ZLb8Vo`n$lZ7s6?v=TGsDuxpn{y2S5T1?uq&(K
z;};S!Ij$bgfloZ~5r$A5L;EbtIJ38P`~51Vi+qx#i@}TGetOh!Y?lx$p}i_pBnAUP
z^{lHG_rc+o8@G5kAAZ!7i{KW8<ZaUO#a_MQ6ul^+5JJoMPH<98QqrSYM_Wy;TOwSl
zEL;!-`e9~loD2^8(I`86S-o#}aB#4#-=g#JLwNqz<S&AcSZVL_yuMs<0T<Y5c40Xw
zc7FE_Z5#WJBfMg2Z{xD@eK+;hYP)&CFA~g6*G25&3ZFh$-3>&V`PpMIt&O?4?b&Z@
zZYBeR8#W(UU;f%`b=LN)`11>J>TUht|D)?IfZ}+*u3=n5fDqh0c!ImT28ZD8?hXM0
z!QEjA5Zv9}-Ccq%?r!^Se*S;z{i>$6rkI*#cKY`1bI&>59i^yTBb~&g$B43AP;40^
z7F=9f>iog5saqn@H-F`(MomeZjFJ-36~L%T#ztpVs}~Z1%Od^_m6*s|H^&G*@T17T
z{quLU{90Q$s&jR8G&wsJWvZc6uuB(?hKw7XnLC1Qc0PO&9_EYMAl2!}((5U>%3!s@
zlJtl9>mZ?qYKQpH!oS3uH$IM0_U{FMm`8F*Uf=5X#?xwz-%6w0KPGui^IJ3rm-Kkx
zldA;4yWfWR9}w*F7wMiregez68~2Z~%vufk%@2Dmy8{B;TCR%*JP%vg?Pzq&`<CxE
z;bY||p*Q=Hnc6=zta-M0bNaROz5=+WwHriT*LSa~hiZ$efx2G9uTLjdIWTVRBxxFL
zo{`Uo3)q83(E^NmJX<A>w@YR}3EM>s^!#1~cJ{PhDIXqpZl16FXn4+Qa}n*j@7~$^
z%BY}Sl;uXv71U-r?x;t{Y)3u0_TO+5r`vLi$a8MOG(8>)jOdlWw0O()DU(Y?3@&2F
zmzV3(2s|7Fvx5RrR~PD=k(l;wSL~82e2zr9?##>vCwy;b1f93{!lN%nob=eg*|ojY
z^S&I9R2O^3%4XK5TJt+KTepp=UAknB<g=K<*b;(3uXh#?{Zj)&zFvMpzAq(uLyZnb
zM!+NR+Il~ecMAk~B!bm#9On{~M<Q@%prgj&wh}^!JVnLiCI-V2=PvJ$fyOssV%0rS
zEyKOvF^rk`3Z4$Q*37$u^!as6?8ns$IgeMJCgOQcoAk<C9+8&x$SH*gf)Ti*`EOHv
ziG1l;^6kjV$`~wGcZ+;V5S`EADXc7ycB*9<lMa^Qog}(BC7o0{UC!F>M!I2<cV1BW
z6U?$+qZ3exr~xY;_^ItftX$7@AtP^B?994Z8f>pyj;ra6Z~aV1vV{V7ZWe%2581Jf
zR~@!&e)q2WH;1a1eN3mM1%4nEp6GqAi@xMRRKI)Whn0=;SfeN|?(ZE}kykg5_;$lK
z4Qq^7>lxHn>%Qvies)>jrY(df!#h&dBjY?H$?eXCKCYE;3loGTF5yiq<GfnyzFt|+
zTR`Ao06YN+Q|o!os^^i-<?>O*2!=vOF%)&|%iVLvYbi>6h3_t1H89I7Wpe1D^D*VW
zkqkZ;hB;;zJ|h*rdoo9P!Hr2QC1hVe5%1<z3Gr>pcV2ti!sB1lXc|ww{U`b2Q$gxM
z?C7D`q`Yag{5zfgPL?i$5U6$Zu(%y5!5Rqa6|uI6ddm>ll?S1CIm*@&6;I8cc7=A8
zp)A1HErO;80LSnS&CE^=lb_69+iiyIs(G&9eeB6|Mq~GP1+<}^3@2Ywb!`WWUa{}I
zcgM=Nj{^eb$u{+CLgg*DmP@8bWpa!DAw_}k>O+&HB0F<UOhajGD2~185`%eC7%uXm
z#oKEVjUicMV{(o+YzsppPJ8>DHjcgOs2q@=jVH73r$?N2F9wLJE-NMk1PUh-x->$+
z)lBevr9+sn<1>x$*maPT3*0T$uB|@n_O@~tkDZR_@zbN}G)BoJG0s_3B=rG&4~wA!
z;9)*4XnSR5T>DYO*$m3A7_)eQ{OpE8&N?XX*4!F0{MMOve}oXn`ndSwEKrJOX+92l
zV-~(qG>}a%k>_e|5|+F?lOU>g6;*W{s+&l?s`eF+N>IRVKTA8-V6!f5z3*mueAo0+
zuT^?FB|*#*D-~z(O<2dLE$n+%9A)^POxs?M#X~jbWw(>U3Y|89KUz}y1}}Br&GhSo
z$Y5|Gx4Q0w8P^fK8I?;J4zKv3I#ZGaQ9rUUKxSuUgG<*J)UuJL-(Lob?+f4k0pC`(
z8aDiGM0{IfSjH)<A=!!3VtV!$L9JD7HmZs~#dPsj_S|@H)HpR6j81WPPK~d<xKfK`
z)2Pn@tk;^uQ<>vlYQadR+d3t<%N8Q0PHy~sO9-r5niwn~?kJgxP#Yq2Tcrshel=OJ
z9>7A;aK6)V(|B#Rs)*Hl-b!}NkK&TdMQ&=MaM2I=I}iVnklCG~*2@YcNO#+bFxvxk
z(yi8uTOU7L1sOI{W}v3-su3P8Mp~y;HE({``6s;D^`W?IAnPHWwx*^2_!377|4`Wb
zcO`-i(Y<Q4vfy}r0YGH2^%Yz*T-*-TZ88nSYt<&qyIgKuh&^d?_{cb`KZ%kW5S1eX
zF|c09)U#t%J1ris4;*=5plRiW9%lfIpEgAlV;4??_?BexUP)>@lcWa-{c=`42Fm77
z&MOE=H=g?!OumW-cd5yQ-d^5gC=A1P@ayqEn*Z=NO}E*ZQ`d_xt6x?kN%LPcO`otf
z@*#E9d_FM5fOt?)iO*;DdzGMl^^iYlNLJq)k2M2$=|*v0A{0%3U`SDLer2*0CCf{#
zsgE6sr`F<MX&`i6B>m`f{v%}92^U82m;VJi4ZKASLw#&2o)`iRZ^agwT}!@_A5X3Q
zQ>NRR$riu?gKFhg&a4OlCN{LVxHzxATy1@}@RM1_4GRs;aQw^dnuM;J!;D!1K8~Sx
zYs@!Pg$}tC+<Uvtjm)TYo&q~dV?5DNJRaXTO@MtjXoxg~fZm9$7_Gjcn_W4S8~Vp^
zJ_|>Kq@dmYv+3CK>O4LXH6s9!%#<q;8RNG1J=1Tok?Xi|`>o>$LxZ%1W|6b!W?h`N
z{t=z^%k5T1@(vLAtiqng`9%+3vzHu)`)z3d)ePWSgGzo`1B<>esigcd)B2MYGA^@o
zDC?1$#eIg3*V@fxr%3dOUPX&|g9g3<K(PT6kL=0&U{b{Tc%-6HiDZ=PC4yy_4o?w0
z9j4B$R*TpSwWs=$xkiG5JbCrO&cY&5@AXpMu?rSBa;~_2&B7z<`w&iC(rJaEqmU}r
z?YTRrzFVu@L5;7FP8vdZOWAbMpT2|tSOde3wz3(zu#YaHD#<QI<gugJbkN_i@)=v_
zntDm8p}a@U@P_t2{cbPaahQgB#C7GYaQju597!%VH~KXx9qa!>TLY*@KuACJUOWF!
zX*%vXtUbo2({choS)*O`0t>n3f{45HBKFJ$S)WDme*w<{;zy{@p6u4(8V(F{_aPxy
z+g*Q+n2qH%37iGExl)4vrVMotdAdD|FCyyG=x22v?5i|=@)J%}X%k|a6rPyEEc1oD
z>HMxEF&uO)v7{KxC_(fvmyz@<h-^QIp(*1Yc!&L}7$tDZ!)!eGi^8wvti9#9cIK_)
zxe)x&<fhT?>=}T@tw`T|@gpX)`PUETm$SH+Qz2)T#;IJ@Gf_Nn!f$JN(EI2rTEFIq
zMW*r_u{6EfEgY~*3dp>J;94;mNlKqYxRvm^lEme5q^PFKu9U^LGwP2>x*7*1hROO;
zDe!*M!eabltfj*RDsKt@dJWEqBVy{hc5@rkC-eQ$#CBJ%TO_R6Oz(XCNPk4!?vAJz
z3hv^SthgVlG~F(jIC~Y#l^(CxFFVSt<y(C_uA2Cv<}x?u7c0Z`5T6j#D{Agf^5OJH
z-PLxK1K>-j=HcNX+n3QL)7t}T;t>GIJCVR?^i#8#+V>;N0UfusJ{W0ug369WyVe7$
zhZ8%-kL|XZQiNo|x9ph(RMdTem9Q`DE7tjKWP4I#i+mS5)+JhvzeLuUPfS<7j3W-e
zmZ5(qd0leeqfgBSZU(@g#%iY9W$hTHgEfwcSMWxBEKRp*9YtuT9C$v5bhnzlT$#Kc
z)oqgpSzc##?Tel$TH`-uGM7<@%4n?bIs;MD?#%`(KUIU;y|gH(MVpbRLr2e-ft@`j
z{rTx5932lRn5tvURT)NMSMxbgdEUD&GXi!CC!40jD1IICu1hAsO1dSVh6!+V+LQ>m
zwG5Rq)XzJ)CwSl1v<&y-dntx@rhosRv@F?4{mb^gNANj4KY`9nJ-{^?_3p@($n72N
z<C!anp8L`1^rpz{6RX@mNqHU>Y8~*y^a|$7!b(1Bi5BZMU)1kR{QHPufCTySYB?>(
zLLin(z^o>3ZBlxGsP?^<{Rp=3;*R2^KkSbj3ZwYCxbORB4v2^%;G<>kJQZZprpp2-
zF{th6^`4f|FXvb6((R#7mM8|m`~I!Ru#DfgyF5%q`;mpFL0zCe|AOTqs7hQAf+zX_
znjU0in*$6h*AU11fu1(HKKFb>0jIsCkzuzDCjhHO5EjMt05VysTAM-&hk{7Id0Gxx
zDq^z>?sRLzdVMYiYh#no^TmK8$mdRD#gxTtnV?#e___0~VG4K%9C|bwDQVbiGw}d!
zAU*E&_pPR>`xwr(6i-6YSXw3i;J9=6Qf>U5_n|j;-tlsXI_)0bFzKVn4(Wd5PL5tW
zA=x}DD=W-)$m;Ef@RQEBPjS@Dk9|$Rq3_gL`dff=Z&~BK+~bCg_WB!qIMLbc#O5-b
zIIRXPfNH)MGHw9nqhXl?6US*Ht@KxY_=7KN>?n$X=Y<3S3<_%+w^cWV*|L@O1cBEJ
zVGIzb-?%`%HgpdN>=(-GfAo2tl5p+CKQ>rdU8S!SbJY6Dg(W{|68Xt)KbnnU{-oFU
zdfO>4$1+GZlUoxE;ICe6zy@A<{pgbmqV_v>5A4m@JW<By9%8nw&su0Sh&{jP0*0m6
z9!qm|86SJ>z`nPF?;Wd;_N$7)&JC-Mf#T7gbEYAKT9W2Q|5JQJzC%E-l-apIGM;V5
zYDsW~bw<_E3ONzZYO|iC9;8SQ0vB8xVGHL&jT-;lr{M<U4f)wMZTBt8#rk|yNcJQb
z3pku&z=xnK%sme|k9;jzfQuA~yDz5ks<jfWwn*~8DIdhqtGk2Wa&pMNfc+9igHCzv
z-5Zh^|4M@l+g;}|z491XVjq$~HZm}!?if|7S<?^mzR4ck^wc(v<l+i(XGDIj-@{3w
zIyv2io`3ZRZ3f^m>=oul*YVc?Jf+jLcsF6|NmfAqK4q^<*m{Ym{P&ZW?oL+$l6xE-
zEz5@r{0E>N{};Zef~?1iIWE$-z2cH~9am9=9H~`J)@4(=F&UAV%&lB4HUd|;OBTr!
zsk<Vme1=eHr2}J#D3!s2J4q|H94#lVi(>WjCu7>_Ce7|WTn-kYVd^m-;k>tZtFCR!
z+Vi!tgv_0?Y>!|z-`DpZmIXO+s5A_6Zw77KST)p4aL;HP`J#y$5J_?hzX@y-N(idm
zk5~BFyo>>%8QgAi^TcJiGavq`o9VunAj|g=muq(?-a0fl`XLHwF{+l=7j6pM0<6=-
zk1(}q0F@cEtUrw$X6O;<5JeOyY>2)Eg<(UM<eRGM9~~c?*CB$sTAweT_Ywl1GFo}>
zFg?yPIr4nRkhsoPos4rMsVHpL_V%FR_XEq;D)|7CHMSQws2Kafnb?OD$S}eZzAyOI
z6}Ippd212TSG)b<#@V<mZ4*W}!-tjldw+txe=-gMWJ_Y`YDQyydDN+gKamc*GPYY;
zmf^PBc)x`7hOJ6znM3m@HrGGL%-_T2!0!mUO@4REP4`6f;(n8X_ec2r8AP35DE*nb
z7@CaIre@f3*OxN_c=q<GBRx6_zX?KEaIBH-M`OQ8sa0r`-L3kBJiicgXz(r1@W-$s
zE0|YW&e5i_m_^NH`0UXzn+zLcU^l&<Z{`$sB9Ntqg&{3@Rq!b$@SJ)|@~44fcQ4pg
zb010SW|@)~Hr&@P&o}p;zT0+D5@z`u+^z8!Xpwtpako9};a3X>6G^VOUa@}t9KY(*
z&|otok4I>_x>z-T>a9uIlU{?*?OaIUyZFP@1I(ii6#y8e4tF_y&b#0p&wQdaR=!gc
zPzS=HRJUHm&(f&aM<<Vrj8Jx1N7RjG@vV@NkSbw3Qsa0|#Z>NM?*+S30DF-5ynEbj
z<<Q6sba6K3T6l-W#KhRsFi04*YgN8@3nizEV+-()myVG42k)C+Y$@!5ac|P6ZK|;M
zZ>vr=x}BV(D&g$E3L+ILgF0b`s(PO{Q6*M{#{lM$zWHl-Wr1EtRK^HNoyOzgOlbu^
zcRYf*H^+t^5yWy)EQcM91K3~p)b*~&?i!J-LBX{bvynEh8cdJh;^|O{cr{#~S~>R8
z=1RtT>w-^GssGF6LB0zmjoHkn(otTxIiNS}M^$a|s{5>(v^3}*YnUW&{vRMEPI6OZ
znxr2`tY^CP-SnTr7kq+GA5ac3=pt)Nw5lR!6xR`ZH`OSu9+Epk?Q*CdTsin_Wq_z8
z*6nSQkcjwD(FTuLmhT>Jx)nPrRx-UNE$A5-Y1%QTrW-_vjSFk^YgZJDle=qpHj<;B
zpDt-Mxxc?(zm-Ngf6z^Vb86V`!1W6QL)rWW?X}JAaRI&8S0q7_#}r<RY84b>YE*vv
zj@G+VuX(r&xasMiBRj7lS+&n#5NB>=Rzr34tAk6=>$pndbL2jY<ajdAc<NPLY0<;%
zG8!Ag&`pDI8V7Z63a3L(hW+TK>CMW9HVN?g8F-m*%LT_D^}`6M!*-R`)=TANZ)cB~
zh}Z++OXuCooj|2IFUP8VJZ(3v@$ThM8e&lC=|S^-Y}c1I2d!N&HWXS<y-TClY!xJG
zz1tIX{&s8MjW>yE_0bj&6G@^0OSI+jejE1kcI9l4tvPs62h|gRd6Gj@q8So0lA@=q
zMF;Y=u3xflSaZcPKy-4-$j#K@>*bRmb}D6K(yk;~{PqUa%b8wf#5<)i3qPDCSMYr*
z17aMpRvXmlTT1@l#tuM97F-=eJS4kWj}&3fFO+h$lBJpM(!8JJ%&W3b;*I;WJA*$v
zxk-P$Xj*a*<y>x=W@a$GmHrJzphNuEt*_krI=OT*Xb^D%5{Q=*!b*iq-U}Mr<KJa4
zx=vCMzjkoUbCtgN8q4B5pken?{tgNvl>FNpT>6ftU+UF~wwiSpwQ{??@$!iSuP@mV
zxO~en@QMav?xYN53~Cw7F3qbR3p$sNM-@x;;ucIVnCN6V^xBP|>(^{0JRW{xJLA(#
z!0#!keWBH|J+M)|K0+>!!%*N=q>{z46NW=D(9Pmm=wI<V;~SmW8H(S@ez~n>h~s}g
z7l|ybcKX<stm`TD1z%mmV@8gn&WLJCZ1Pir0~sPheEY*#?vD6c*ufGoD-o<&ex{+L
zWApu`tffUA{rseO<S|;c5u3`=cEMbQjAG;~EgiOdJ)@8)0D5q=dh7}Az;2c2et3Vw
zq0GKv?X={5mCEdXjuv^ZWX;}GPR(no?s4D$jJ{Uj*@u+Mab~lYbOOERS^A|<KxTLC
zZao?Pw1e87#U@^E_XX63k>E6JT-4BXa=Wq{7tX}IfUSM5wPe@f!*DjP>@GV1XXD~>
z)6BO-=COUlVKNk_U}7Q{=?w<`m%}A?!&VjUu^#N1O~I{Kw~j8GzWKTFVM#r?CgX1V
z^_FL?cd@u~SABM=p8De{eqv%xwsRcove-<zIfj)~m{%%?Z!kdf?=igq!OpMe3Q5f~
zI};lMocsrmRayUoaoIVcTvG|#Pf<7UMXwBaVuZbF$I(aY7~<Qa@~|Hq?gVXXuLnkb
zXYP!U{~aeNFwS8GhZ5=kh8_xt@89ppwEGAZ=_TCE;y%SgAYRi1)LpPF-{52gKRK>p
z5gfiBHq{S+_pEeg5=fsW=dq(%n|FkTA#!(b+)dIN6tHbnjC!2suz>?NZ0c`PNzORl
zLfWRRY@XM85v}R5n2rU!6`qx?t-R&aGm!r%kw<;7TMStaA}Gvl-9z2B;{?k}WQRD<
z5K}<#+9@8%>D2ERDVItxS0X0n{OxJW+49B82ERO&{OaIk6F)^TUy#&qZVi0F7Al*L
zu|rm#>%n-*c?P%tZ4@@WHVMc2xf{NbLL^oY!%s(#4@cuYRO!}+-3iDb`&ey<ho5_A
z!*sktF__mUUIo5-Z@KPC9*)fftb|D-W=;}*FwMVq!4nTha;#B+*+8I0$f6x6(3$8b
z9@n8}%|Vy7;Q)l+xyQ}i!cO|eee)aqPig`cH9J8VQFr|_Y@!n-M$r@V+X}oi*e?f4
z9?w%DhA+{0EQ)V=_4Pc?_?W&X+)eWDb@`xT&6h)E&&?rQKX3N5F$@_}V<;c+Par!#
zwIpFZm#R={y12aZT__aFpw6RTcGLgcfMCE_>IV~N3q7sFnY+&M#snHCwpsGi$0O#z
zC`oRW1|N5#>5iwUr%}Jh*d^h=OYo1Kh|UTSJB;>l_gh>(f67el<ev)_DSorAaLfVg
z9lu8Ujnws0@D(|ww@YhgRt#ysx7y)HjmFOMLm=tB3~ydWgmIR)AL2zKTw5(!3=r<>
zW2PBP%ez<QG>eZvcP&--m1^R#Ns0;46bA-j^U|L9n~Q)-N=o7#w%ZV>#}~x$Z75c3
zJHlIeftns$7faPw@;sWrhb!R9MJRcP?G`@JL0#Z*f&tVl^_%-kfdHdCtdZYJJe8KE
zajsAx9PE^*c87JetuA2W#7QU_Ti3m755fRxdOKPGz1HW{sRiyqn;8clFeVjGrJ0b<
zA`fckeL8l!><S?s#8BX;R2cIeUDa_t==-`LRgggo%zQ!)$c7<H%}dy;NjDA@9`$e(
zAii67>p+Zr=Yw=j03gLz$fWK0hMKIHD?XGk6fdWJ^GgJEWX)}jigMTJ+`D-p4g*v=
zi6FYcbK;E4@0g*&q(_gfcOCNvf3IvM6Pn}09%>TUlbTHYx=(%C(4l*jwv#RLHeSbd
zU9o?^UbCkT6oiNYqnI~5JWM}5Jp;--3I7i9u{uujlYN?4zt1=Q<*o3&>U~ox8(Jb^
zVdv7;)*YMi(jVa*edum!E&F|@|6#cy-z`EQ!Zbi0*cL)T2V;y&XqcFPHL-NEl<OrA
z{}(DuRv_F%Wgjydp4+qP>1~GOy;!nky!lUn33ibC)5*yU!oYSgnx7A&Wr+rJOYJVc
zj;lM8OHaZIj&Idn3sV02rZFO+?IvO#P{=00`vgx5(X2+Luq67HYezr4nZ>Bz*-nco
zUH$SgJgoI3gg*-;uw*sCXAJPUJ)J)$UA7mFA{F^II3?k;1|#UCmr4iL_^9;V_fmnQ
z9Q6ovOiZXSe7WM0Nnk!u4!m%%z~xp37nNiemMRnPUBZ&cV9@N$Q}}lb>S2cg0Lg-`
zQ{AfXK<4FKg>PRFd5L;O(vrgKK>vL#k~|6HfmC->C%c7mfqWJAqW9hXPo<h-ab5RU
zv4<NwrUdVU7&<oLNd(NQ45x7gXjj|SR_|4XCZ$IsEh{Z)@_t{vhDYIqAF;XpBbO%O
zyA^&f>Awx$F;mS9+7=d4(txckvJyIal>lku)g1*{>4jR%Qx-_b5lnSmN(F(Nyd^TS
zDX=7JVn}nB`rXN~Cz2!ezMv9}dp#%HF9TURm}c^AO1~CuI_%NBQI7Z+YfJSpvwCQc
z8RU26j9g90<xy0oV|0r_EswA$fd<@(?*F$X{~#xD5%OA&&t%(?LQ?PEch0rsvYV5S
z>O`8QbLT&82hU=4^pA-V{=AB<w_E<UewE;g!2Y}B{NpISgLxKEc24F=UC>g|AfbGO
zz?Go-Pe26(D0K4GTw*e}Rg>_3II;~pJJ2h!G%7y2C&D3ao5aIH``I8K{hCUW=YMWI
zoIrDV-g7r3LAy`$0hdgG4~R`w`+<S3?z@B->rcEy<5lr=jTPaw9E75>vN7*2y?pHB
zN;akYAJoUOzo{s~v({~P%-mL{#o>dTaK_qZrsMW>!i#V1Mgvi?B5#*B4%dC3Y<T!{
zW1V91#}<W2^be(wV3eBI7Jtx&2{(hOrJcD2-J0igyYcvz)8@5Hz|6@=B?Im}x`_##
z#d_u21$ZFTu07#=<I-rVBN%^<U^FMr?F=a!5BJaPwqA`V!Xjhkg{oUF%t{#<DW^@n
zn+xrHpIk|mw>!cg%X8K|(x1s{k%Rbom8<XB{xv2|H7{7@OB~)aTT6@JQP%aIZ`5hq
zo$lJ#V*;zE^*j0a3IbpEIGsj+u7Ia%laXtuXFDtI<6k~I6MpTouB+fFejv_rLcF07
zpY<<azWl8E@o9&4rgUvocu&U|IXukxDs>%re$vo7VV*w`qBWqTGmw6@&V05#5Y4ig
z&Y_b3AVw8G&Z^^+$Mc`Q4UUM)F0@XzYQM~gl2_*nccLFpF!%PEKHHzICixz+NXE%N
z$_@R>`k}7G)O3*8G>Q0kzwh)Xjq%F3gsfqePxu36=<8tox>G-Td}HtZZl5vWRKR5T
zMM(WpV`}ijP+4<Uil2s(_3RrLwAbD`m*nB*V_;6vaos|e<7pF6%Ik`@X}jJJEUB#j
z6h^d5JUJQClCxoTAm=)se6e1h5CDB;Eey>8yDCI+&XW&dc|^q#1+JYRQfXZuo^AC$
zcAz!3KCOdzSz*cPyQ8;v_>pJKMk|Z4^)kqju^Hn$u6Q9w90q(x>OqdTYkbWfW77=d
z{52<U_x5fU^cuFWnh9~HZ+VW%R%{wFcQe~CtK9?nG}wwJ5e=ymbO`4|lQGt1RrbsP
zF5gB$zxb}Sb=sJ5AivV*E$I446_=DSoZ)DaUaIM|krg@sj6*&7FB`O0EPxZk>yI9S
z-S_9a<3;Jj%UC{Jy?T{Gaue_Rg;f^aHhdJ`@?E1Xxi7!LOp}YR@pD%b4@lHHDpoDo
zeQ2^<rg+P}FNpg?(T{{vq$S<W*PN#;I2>y@BU$f;I@1*Ll=!XNsN;7Wr$X_%Wj8=u
z=>T~&KPj=#b?j~?1kK@a**2dJs0Vf3ZcN$bsE(xX86UIu)Bmv)O!^^++A-zqGMZZM
zaorwtQ>OpRIAs4O56~)<JZ0nF{>eaqH(olz4k~*zseLl!E{cT(%cLmZ1k2S^Pe*Qy
z1rI6dB(h??6r42$+GFAI5qRbKA1Ib?YFhAfkbSRsnqJR15bBkR%Suoyg+3_dOxf1o
zi7_qcJYjnrUksEH`sQTxxS;YqSFZZp@zDm|bDoF1>BW`Y?vF|=Ygk{toZ!7GUG=`|
zpa;zmg8&hDY{Qq8F1IVbdn{@pgS>9*E)6Ob=RpiBwokYixI*Te)?*(BIIjDi(P7Oh
z+HNb?!9-PP>(yz?C74{+^Z>ow%{4{VdY2mo>;@hJ!9J5X8OA316vF->rdE4h?cY`n
zP0adQxQ8DiA<{yr0|R0g4o+_3ILPgla?5NBI!y5evQBbcp9D6-`@?KDNv4It&Mfis
zz-CIBq~Ru@-UsD;Te1=>EQ`#V{dIJ!{^$A9qC~*+`&d8eoxr<|M0}7#q%4lWdXS`f
zNTv)LQ}77dg@r${j4i{|L&yoh@6_XAqa{m!uteeB)o33gscZ%S$-!#f;|sO&x&OO&
zr48=8{-&oaF9u>Acv`vVydx`Hi`XOQBeuM)Va0&PQCdfjaLq6m1$98U-SWQ`;_o8S
zQ#`w51y@^~T2Gof`Hh4u=Am+NOZi8)QwGcRxwg=w<grhOJn8(k|IkQ__J|Z&Dt3);
z8Xf<{f&3(s`Fi~IhRC?yRV(nX2XQcx`u^ylK8BcDxb*Z>X=5E^mM1U7*Ah%exQA~6
z@+4?DZ)4twzC$C4!1<*8dLOc}REm#}zgq<2rzQ_kr9@;j2oDMsQZBHe+U7_j6PRJ>
zS@!_yVAwahvP^SOce-x|V}q9(yN&-{;yt_s`ytfF-s79S{d+9{M^vUYhYCKvA7gxX
zs})-*A!B2E>2{1_&6!FnlPsRsAGnUs$!GHg8QXUpQ(tCln2q+Zm~GOiZNHEAjTP}o
zj1pR$(p3z(EWF5BE|gYX{&uHGP~TSyW82x5eGH7*AEslBC$>yTzuWNJ@DvB4bRkUl
zMC*H%2#=sH?6WgQst1gY%25sWO5u-O4ERZ){Ty^~V@JCtQJSGl)}>;a@Q?><lBGjF
zK~rykU`+d&3X~st_gO`M@X}wHpJ!Cpd%@PMzZVJ6Kqx8z_%!Stl|PmI7G4jlG|O8r
zCoY56+(MoN5q6J17rdj<D%fTbB|kl`52r@*+U&!oe?;BG--~>$^i$3i^SLUFHyJ6b
z51<p^!qY`xX->SKO3a!&*|oG<fYI)`vTy5=;Ghnjje5Cth|^P{1baDHJ+{76kI^r0
zENz@e<L{m=faa`yoz|mGo*Nycu27?6X#lNpL6j+<{we_f#sWbIzkG=~uG5|a)k8fR
zZaY5=x+iJsT5hA_R?BmxxSrIgXS(naF#JPa&hz|XLMkERO*okpSa>6lp>q~$FZ3rk
zX%i)B*<fg6#aRObjq4ymJpsMLZ=gIzso=(7PdLSz>|+7SH^VQ7fPz&jXh^8?J~!}q
zi0P(He%5;PO%}ke37f3jn_S7U7&&Lom#pU+>s@W%URzf`IGS1`JNmV(wDRQLyJI{&
zyq)$Z;+Ra=WtsZrWehU{uhA(i1Gp1;gaF=Y({wx20r@r#d*9!hT8UFVXE)JSe9v1x
zjg@7WmY=kmRo1ac;`~hU)C$to4Z^4!U=YHR%7ttgEC0|FoD4P@=*B?5owX@uU*`l?
ztv-{=bDi=Gd;#I6kH^K!bIAp(oPljCa@gHDs^E>UO_KFUJ9zJaU)HF8+eC2%e7~k<
z6QYO83!J>yJimZvwhAvZ0YRh2!xOoGhNY{U&OtXxOG`68T~*&1CC;D(6Eh3UHjk!1
zKD{$@?T<Lvb9xS<aeTxz8<Jt_AgI0?2X6HNhCP5F>G8QHmAAMUwGz(4wvU>GYfT}X
zdl4+{Oz~{RldtduhK5!1^J)P&C|03fKTxbh@z@;myj>S`==}~Tu}1)m?V^^JmbJ%a
z=zx!luRsBXA@%6{Z{OB5e`-}UNlGKWJ$>$++E>hVi19jYSGH|FFg5u?or1v+v|Tqv
zyZYv&tfppZb!e`WI~A8dvi{_!Y1?+=T2xZP;+leStY&^)9M04<3!{zZVbk)$=y<KT
z!CbNFusR_)YA>a_uAr=x2&7A9!dGgk`Sw3l#=I8PDc*7iTV&}>-Jy@-);#GFmBH3r
z$nYTCnxS2maQ~2QSwa(Az6iUj&lYQXfW<!}-^b60?tW=$yT=!OP-I-cxeNybd7T=9
zfWOGmBXY>~lJaP?M5`~v2)!Wd{sq&T^>gfBm8f1wz?zH1S+1rS<-5F)uTsIKtJhVE
zSrG)ERIr$47dd^eQ?%ipA355oq6HrERv#;Pj6(<oa>+=JOLq9m-yoyiu9?|2y*_q~
ze4^bK;y(9(F`3}IQ~fcKR6RsBqtaOYr805B=WgBPq@s;m{ncfptor44MU(4zWLM%y
zO^-VBneX8V1;h+Fz5aB}1g=g#J)Pt8W9)-Vr#B@;{N5>qU`)Zm(|l_WINkXK=S|8z
zEk#X4y}`3<ykrJ=*@=}Pnhq6zLh29p?-8??;(+Vrm+ZqELKrG@3uma0kzs1nmgl>9
z|DgX$hKYMZzaenKx#T!cPeV_e@Ngv%H$dd2{rWT;KaXl>mg$nOqLQ%EI6jfw;hpk)
zwWqZM_8-NjrjNxzqw)&YulSmUAI{9qen4IItGE$3EHv7^YVldmIm+(l^XkWAUvpM&
zdSqG{1lvn>!@|R@(;MOyxK!(B!5*Sj*Qd<O(-phHA9|0~$JHZ@mmGYcZ7O&4WNQcz
z!$z5U?mk79vyouz@Gw%1<BD?txDKR!cp-kJU}0a=hC?Y%m@Bc|;Q{-B@Kk<bL~d>O
z)2Ko&2BMD7hsq`oH+1-vsuDlck?+LOy^_gb`H+|aZlKp(kNCOnv!PW7S)?1POX7h5
zKiyZ485C2mB@=aXifoSEHMjNa2Hu_ys`Up~BLe61fPSy%pdm-_3m%pOJtzATQPVYe
z|7Nc8W~0$m@>*k%UR=ll$!8B~KhaAo<<_&jjsq;Ywn8fkI}b>fR3A`gCMKu>^hpxL
zKHA{Q(!vVBZlv7wTH!Y}F@K)t6anaz<~x%-y)q7dV;B6|R>x!d(FEgf=>10uwyuO(
z^+7*H_?n=CVA%%$u9350XHBG0>G0FksiV+>%66$$vtP%NX)F$H9o1An!M`^LA>Pvx
z>GB8t_^9wV+XGeu-au-@mEQyj)evxw)0Z=j=i>Jh8ej}p+?YtfiC$+c=%yOgmAsS{
zlTlTPg-VgY6qOdnT={vFBl*A5Ftwj&Eaea(qT=b)k}QHTs3NoJC{ELL^~i1){Hb!)
zaL+CC_T-B16LDVbXL)2%v?=%`+hZg`uMq}Qsh70f%i-1CdYu#u&CY(xWB{*8^?UWm
z*a0G+-n9C)`Ecg<H)oG7z<uwN%9q=D!Y$%F@SLm~S7)ax;k1TCI`uCjPsH9h8l6l*
zxErcna+)5g-k?&ayfV`&ZSN^!sC4^1oHgk~c(V+~bgKl4YnL4I9e7kCdJfPPT+{O<
z-S1Ma&X(ywP0zi_dD)@>ne1*9Y+W1mc@Qh<ch!|V4{*L#lvoOR2*PN$+6B{xvr(H3
z(5R1b&kw^RyLAh?$qm3ZTe*{FKI*tLaW%~y!dMTxHuB6@Gx(De?)4s2KL1j&uBwRk
zx?0u|a?~|o7#CqOgO=%SO3#i|{LY2MX*}Tdn4syYoM&gL0Ay5A*ke`kQsU!^%D?m3
z>PxNw_2yM5Z^~#2zm6%`N^#u&WMFzXI#aWYt5A@u<(WyVW!ILt<a6KUZB=nQ!Gcu3
zmgH-^X%@}otElUJLHW=_4EoTp?pX6u`U^;zHqN;X|J%1Slt80g3V6~C)RB-Vcm@th
zl#S40%9_Lz;Jc0HquTs4Z2vyd7om&+u3;UBd51z=x<54Ju4CyQa4evtS_+)(+&K|V
z3ADQ@DVU9u{~Kf1_)s2?ADb}zZuWIHM9Uq?W~?o2j9{`6FtGkCF}4s{kIvqBqepgB
zGcnRjHd9BRb$tO>6m?P%(WPMHWkMX1u2<5Te9Es;Xa%AEJ6n_1U_5Q=*~8@X`NOo6
zeI#9`xv`)}w|%U-#eB7u^Zd3tbI_~)(Q*{~{ftqIt?Jx54TDWH!)KWi74?O|2#a`U
zo*V;qQw<e}Gb?g~^xR~<tP(BEy1_+<Z7};>g#Lwj9C~DK<gQ`eQ|7m8n-Xu=I7vJ&
z;3ERTT3WXU!UtWS8&wbB+8w<mO8r?kmQFmCT<t}}k|{oBk;+o#rthXl<D&xqgD8K7
zfL<S&4OSu?6!`*{83?S3tgvhL;n|p$l+{n$Bo7;&^!T*IbCf#)k%Fim@E}b?2<tf@
z71-N<gWiYhnLe;12`$}7qjlSzQKM2&*JD>z=Skx7VgT9tsn($98*Lyi)uRwas<V}o
z_s0f~jf?^<X@+F*JUexPbQ@-u;rFRvF)XWR%%(jYi(%S{bt7jn`>m6(9|Z@twb<>n
z4ATgKPnm`ygQ{vEj8=(F!%2PfDIvY|M0YUqZVxI@CRUv7>jy+K3XW*E8>dQ*1ueEh
z>H5z?*yAYg>M7GX?6PctY#x`!H(X1HRc#9;6>X+KZE6F7nAfi5I;#62@%1>o+QW%e
zuoaqZYnDpNsuSo?o>c<Qsfz1Q8&Az9>fzS4Q|^&CY&xz>9%ek<@bjTuaw#9zz1^df
zH_(3q6V-LACOC4=^sOqOZ#VRO<SQq7jw(8S0J`v2@K9qD2;hN3iTHSUH^3cCOz}1w
z0qPWLvKQGE_hQFo;rdm_aEbuJ$Ch^epb5`hqJbz}x|ssIt<?eo9pXyeX6K>^BEJ4{
z#V}I3|BZ2I>d73f=l1JiEi98d?TRb(x;n{<hbxx`q}97!?42bx?i~L^(5;VpmiY2q
zMf-Jd3&x$WS_kS3ndMhw_W7N;9xC$)Q)h_0_ryYV$pPQbI0^^3G4R$VzFAh^3XA;B
zk_Dhd`!hjw*C8<yGwTU|hN#{25o|R4eRZD^63M?=ChA2}{{-#a7=~LdrmImZID_gd
zQ*{r`2Uy&Vmc$DzO9Yo7Vk?(1S7+D?^<*d#OoY^XYBUI!<zx^VMBO7)b|NiAT6+|%
z;13fwo+B6-19%4)b9fA19G4>1;53pj__)oo5R!H0ZfrArzWzvbb>JhI@nwH`31uT`
zf^Q7Hp3VnQ&jw<{urr!`v8!b`#OB``7i!e2MHN-p4{S0ZI(;^|#JC0SWuB&l+i(*X
zqCO!4S5&h@0CH@VHZ=q?izHloYLZu2w;?Xu>+Hk|Pi(;}rQNhQ412d6!=<Vn=7N47
zQ9v2Jk8d(q{sCowx~3-6VPqj#)nNq_ceh{!gK1v_&IL#zzE&2HNI}57$OU}2x4$^s
zfH22Z^`%icGjUk3wwYHzra>&r3JgN6K+4~2wmvnPq-G0lGcV!LF2=R`w}nZBJ2#-{
z9Y3LeGK~ETNH&Xgf^OpO58JhL7r|aIa0QFtyBGMzm})aY8>xX}w}thnyOZrG`R=}&
zpBH%{fpwkxgS#-Soj&#Qpb4IP3eIhSV>5h&`v;`A@}r+sb~cdip}SEZO<7PEx%Bq4
zEVLK0PIzAqoS*c~mSIS;!ma1G;cB?L172UlZk@C-GA_S{a&5jYRr<GWZ}vOzP7%A5
zzga1q*w@zHAzCD(+)G(U^={<Kj!uWaOznSr7huCk!wc8%w*7uF@F}hn)7U?BfA_e@
zsJXdwaRTPG)@~8bD9EFW<Mp1>8sj$DlY?m|69<uf(-X+Dx?ruJybVM>>Jd;3qc~~J
z*{+oRcjO0GVEFGLL7rT#rY&P`3i$TKAwk0_3~kTie7!!{-^Rat(rs?>E+icHdxo4z
zI65UC($`UOMAuUNEmALjM7URY@i_QxF)9ah0sb)aM3B}`KmCkqZsB$$!QZcm(U}PN
zNfM}})Ma(n=f=xDVj5&^oiihS7_Snl(ag^0x~-_&t9kZ*<~y3>MOHX!C{}lO@OjUm
z_OrgPqMptempVx2L1rP!Dg5)<n$*(hCu?Y5#sG=NvAF^sahqJ;++9wAaS3;#N~fDa
zvrCNnz%rS&gYCyXN9XMz;#IB8*C4}m%jD^?nYxzTqoZNYobjI-&-X99_4iFfqtlU7
znG<^TSB^&KlK=Z!$O0x$k`KHiAZ>>(c~kueFj&*SgNV#9)Un&uqpb9fT-M3vA1euB
z{)#9`{a@(&x-cYdi=BaT+D;$;mP`o(&arJBPJYY!8eqn)4?b0W9$!7?JoYECk1$Ss
zZL99!w<G2Ww-?*pjyXP_j+bCPzf=h~3(qh3s|L3ntdmQ(0y!Dz|BkNUBH1}maNo77
z1)$I>f|GY4HfIs0*w|0ZYKWaBT}YFFqGg<TCbh8x={ccXt(WvqKbSXz8gc-&XjuF>
zEeJb5Mo5j4LH!>BA5uEIf@!aLQ=mvjiIi_!))bA(<Ajus7k5^Dze?W|_?IE~uZd@W
zN5DQd%rPpwy;t<pqj|N~OYd#Rd;~XWkC^Y>1Z13yqPkA9)6quyRFETn(^2B&*MDBu
z3wcaD#D|UUN@~XVc>x0L|NO+#4Vd%FLMCOsrwPux$zQkra*+<Zc*XUnQ;y;QYl^@B
z^M4;?p96+@V<wmFfv0pf?Tri~Zb)_P+fyl#OHR{-cI969|Ipr(959zp{S0mYWyY)#
zU<?~T-Ov?_3H78y+^5kG@8A%Lzh~52cJX<RtZrN-%yMjIaQ&Ug|N8_1ui_-m7-y$1
z+xa+myqz_AEiGSy^6@#w2o8m_o~;Y1;00L0mgPSmcJVV<P9xD}w*Ek!arFC#1k{OT
z|E!Zs1C#n?ZG87izBZ9#4&Wwpq?{aC_?nv4|1<TA-6+Xs&j{u4dbZFKvk=W#gofPz
zgz8@!&m<GVz7yPPUyJ%9m)PkId7o$pD~d%i#!GioMnn(ce_TWX{N%ro{hKcs<N$Kt
zqolGyX!|8H_wAP}euEBF6u&lNjsR=DFS{rY;8-gK!aN>h>%a|slAEGi&9+X>uFV3x
zVT}H}9sikV1{Q|-A>FXgqAb*Rh{UP*s3mFhPApNlQcPVF%p)VSGR#e*{=LaFQczyY
zpEOKFMk`&+X}=D4QgIyS@)`-d;*`pHtj<qi;P_N~!9<{xs{=lRWsK0*i4Q*YxhnFn
zZ>T0k<LyCWUb>dH!|?H+ld+va#j%vaMefk5<D1D)dJKC0Ka*VldPg585qqs~Fg<b5
zh7X0~WgO_vmdWzf8@T)Kzn2`!Y&dLJ{qv0ao#=xW$d$KI@|YlJ$q=H{c@)SPJKK{<
z8<*u4z5sSUzkR@o$92ETg}T+<!11l|f}(_XfX2owEt|{O^yaG}$v{)5M8+WetJ++h
zq>hnQ6p@8I6m&9#pVgaHr-9UXK|AzGcYO;T$~p?nt(Lr$Y+=2rPfEubJR9qn9{=wk
zAAqr+INR7MXj^DF@G7fx@gqrCYCoGNAY2$L;1G{^JVgOq3;i7%mA+_$G*B^!c$K!s
zDf6_D+Lgkx)3ei5#0+I~>Y1#p4VpUj*k0ojHX`BAb{BX>HrC%U3xlw~DX$fM{Q*02
zWTNOIVn0PtuStAmLr8d8RqoO5sH=MB;K+fqRE{lNQh(dK)CJ2wzKM5pw;A{4!CkWr
z@$h~-fkAN@#Te>219hinps4}`^RA=B)1(YMPwnO&iaFA#121I%?69|k@4I$oe@bz7
zB<}yaSBa1Sz3zKiU@EM-A-}x)$tol3JaG<`wRpTWaY@EF8|gYo|2v%YNzguAQ>8ws
zLVE_42f%fIfxjhqQC3-*EMBQ}S^T0_5|fvsq5xj=zw|p(53dM}y)Y{^!M0MjuGWi#
zLA1jp<%&XhQv*kZvbI3PZq827iH^?dGxJ<9kO<gQ=QfuF05AoPg#WCq)EN##wjQ)6
z1`b$Bnta`tMoyYrYFc(bCZVC1G(VA^+lU!9q+uLQhFU`&C6zYZq;>H>Z*;Iio#<Qo
z=F@lcy#)CcN=QManaP3=J>HE9-Gnq#XVFgyFlpS@)bB&vy1owVf{q1ZVY!w*I6EOk
z;~p52)jPlD)YF5VHsH=^tUz*ILMK;H&hS+)%!1drT>f4m5@u&Phar`(I`Qw<@t-a!
zneB&WA00X)pcwV=3Kb3BH|+%435OzU4cM;4A(&^Db{MLf)E86pnSErO^&jWiV&`ws
zf3*T{GSK1#y_1brl+#KD0%i(<(e)^8IZw4uP>hx_fa1exH@53(H>Wka*^yfAa&q1d
zKOv%k)L0cPJ~qRT0O956>}Y&so90r+lfbA?sXKL^a8sXpw#9UURz4<P^o&5qJNsq?
zSi#ek=4O*r*@I_<CIv(lm*#!WkHR(9nVPuy)c(PII6MowW8F%wwLr_sodNOanrlMA
zaJ<sl3h8dRA%3TBcO|H8o>OaqsVI75qpt6+$MEWTLc~yBQ7gS>xo`f-NoE17%<XEk
zssZsl{C1s6+K*zA4rcmUerV2(gkY@BsF#1?Ag`|B+s?c_O-8hAfY|>#9AyRV4%dA6
zqBaYn%K3dCEsNl$1Q5gkz45^NtkQq-J4rx*WcCWWKirlf{AI=uGxN_~3Pv(5Z-`Y&
zq2j$Ym1YW8{Od-3A*qJ<YVS7l-;9;jW2!0|1iZmlAwvu4O-cV;Sk@-e0B4oBH}Bd8
zF&;l$okId8uMObL$H9I%!c)!8dqvyMuWkGcSHu)5MDjJ@EzH)>v}RL$XhjE0ORZA9
z0Qt(+yw1ZKOiO*)$|Ae&FFYy~iA<QZwKNL|QsWXWwnwVU3x-aD&cxV0@J>Pi)$%go
zm040UdIRK&t`AS$m=S><Mo)EAgs2>N8d{k1`H|)o3s*td_2@^FUFxM4^RGEmX<@VV
zosS}es(I-C5r})`K!-@%A@*9OiRh$H3Zo5ZN9Pj(S|LVJRh4_(e0nF`exkVD+72wx
z<x@8;z77N5`l&1|Y^xr&2ojT$q%EWzI^P=A)z`_`*kmRoCm(3QDygg6InguH#tjdL
zy>D3VTV5zFQuU+U!+2SlMHNhZe`HotN?!-4@5=x2Lvi6JK!gDs>!3+R>tjC<O^<tF
zj!ok!TPV>}p06)~U8bfS+9%xQb$>hVXy%7DopbvyOp`-vk7Gipd#=%mqgp_dHRxqO
zGxi`DMv{aa@)^2q-tU7KxBj=+$7qinHW!EQ>}EjA)lcLM?Egg!;NJM>QECO{*%Hm;
z+p68I!~fcYVbnVC^Z4}H0CPq_&gGEv040|pm29El(FEmR47VfSi4C#4s95pEo+~IE
zJHJjsUoMb(5~p-ULMWrg+a*3sB~A5O@x7aeCDad0t27mgAITk_-DpCEYCZ{t2(Tu}
zBwzh~p`daV)YwxR`<6df7)9V|AIi4ycAp`g)X3_gfdnfd(ckQ8sp=Lgy3ne+Z=$><
z9qYzK$@06NX-ex983-O5ELOtht1Xp@h3khwZms0QYu&CvB<@i?XZ4h9D#Ip2M{rY{
zXCDbd$7EJom_uZX<L+Dplv^h#ib%@^1-{a$20=TZ)N9g>-qk|}Rs!P>Ju%kx<#1YR
zYNQs_@~lceDx$)u0E#(FL}B^QYn)Yc38|w7IUvzQ#ljO=dIiul4BF8w7_@cmFe+5h
zF?y8?2k^;wBk|R2SH5v|Ne`#l5T!WPyeaxHb<tHfiXrG>`-_3n#o2XmII$$Jy<LbT
z!l6hImS2^&6qnh!vP4NSs#;6aNCF`Wtn?hOs;DImAo+iETP!QpG&#XBstXIaq;EwR
zC8hPpQz7m7_7<hTvzcUF2rxg-euMgzQ_MptKPPXqCxmueI5H-I8YME4N|;uOR53U#
zj(3H(NY!BaaIQ`%2a4ocNbf$lu<#2|uTZ!#EKJn7K;PcfGZP}n@Q<mOA^vwv#pBe2
z*IlcRy>8tWWWWg>y3+BNuMzY^H3KclGPd)2Z~vYu^k?b&_b2pM!PQJ3b_@=W&jp}2
zodTWeTSbD7G~;FqSPpHE_2mNNMRw}4XMaH%L8v7(FhKd}9UHYz!iXfn4n3J~24jyN
z68e#$EOc}xe?<aQ(n2vnERSZ2ydF}dHuD`OTj%_ey47szPg-H2-qc9(1Vn2s6^N?Z
ze5pfKh(M?PchzV|^u@NH4P??IK5veFj1&z-HWKX$sDxAR`Pq)pe}hcC)>s)r9ID2y
z6f4&xz8TP;{{@zPj@#D3AU6Wprc6~S!EPmOlhZ~v5z!p2&+LE}^V%FRTrC`)VZ@zz
z?w{snG+(HPVA*N1HHZ|h0TYW7#4$39N_L_zr*VOU`CbSHrVAB@^H(6VyQ*an5e9Ow
zcgvu_e#8eMa6~t<s=;yvs^A0x5bwLa!*2-mZO{n2?h3f6?K4^NatfaFJ_rZja|uu4
zc^ee*pA(Ox=fI*&vndd(o8%;_4r92CsBw4-Q``hz!H$PQz{bXxX>y5J*T^nJT)~1W
zk7&!j)Gg;ck_b=4bgANLBB6&Z!`!fy%uBXMaWoFEl)q_5LJrSU%!L&aWicK7@I-)F
zOhT<J?4_(+vtV}pfo9sAUv6xSyC09RWt|LKs55YOdYYE5SiKlWik#`ddw7KR0#}qT
zlqf+xx4RO($3|O}tXn(ndiQ361uhgK=o6{ArHxG@c%_l6wbJ&@23a4&*TL=Qzob`i
z#z16sI{3b^f~%YihwJqeiAeojI|uNjPQ1YR{}WC@5VqSln0_2*b6aa`cM|HD3s~yd
zCkuYVKbF2#znJ-E{Nv{l^dpUVNPilnuL@2;Am<jXytbL@NC}jLT@j6(M_@yX|0V5K
zDV`~mm-=N*zSy`D$=_QDn(S3&fxRe&Tp^g&1TV86Ls0M-Dt1^x=14YWi^}%vyGU2)
ziwU$fVWcV33`Qs@B6AfIVF#CTz57sPt3}L`ML6_8G&cAZ#U_=~D?wv|h^hRmAVF9}
zpD?5=dNS0#kRb9LOdq8+bF2P&O;;1*CQk`;S2`7l_XttW+R11K`#qF(Sg{C-4kUX4
zgQl}F%;ELWiqr0xG(r?G0-@|MLUI~7IWx%bL^aB6Xh{^QHVY+l=ZO0U(%Nozv~bDj
zp5eV#Z0UF2XfA&HVfYpkkJ6$W!P;UMCH$lhZ4O~2eiPvn#xaSfFz6Ha?Pp8^52-$b
z=Di1*!#qVXgVcB9lrWzb#Y-d`&hhxI3&lo-h(*Ug8O($wt|#f4>{@PTrprg-s1)9U
zSNr)$8jasGzl9V_zFhf=j@MR@*PCutC4Leh2tO54d6R<OC1E_4#*K0D2A^9LRuFL$
z9Y*@Tx=B74L6zO(D?sTc*n`^uwfB3dQV=!_e<%seCi;BfY$1A}{`OwXt?fr<zrSep
zW-5O@i#4gW6Eh<V;HYq(%2^THS}NPqKSR}jPfBf|UOA8+RfP`M+SIWhph#0l4yPod
zUrEi8m@V+3!ZTQWelY{NDxv=#wL0M>I+JnpT0SoSa=&hYP2U%1dXJ6>C!8v%l3Vb`
z1A(s6<h`riSDfx3LcD_l%|2R8THb(rc$;F}DsmXI#d0LFcgZA^=GGP*LPMdnp|tud
z7PpnS`A`_MCht5r_0U>KkfO$vU&!7mq=%W3=sNOSuP``&2Bg4?il-!x%>b~U!Hy8s
z75nbv%?c@CWb*&V)?0_Q)ivwG5G;5o?m>#XySux)6!+o|L5f3hS|}7K?(PK&lv3Q?
zp|}>OU;4i1X`kQu&R^Nrm1HM-tyv@Y%-kb=IU#a}1dB5eLH9{Rnm@a-MA-Q;pJ)Ym
zS*~6j%WZ%Kk&j-4W6`s0D`7)8!0aW7YgTApl#l|?OQyn|gPJZSB#hg;T8Xi0q)1IR
za7<oY%rl@Du*7ZXnT=WxBO0@ly`Tim9Fj07TpJw-tk2aCHrWu>4j#M+j~HY}dN!;_
zu><#p-Xc;Gp1$+<kS3+vX%MTKnY9;QCi$l26HX`csybYD4wtO&q*RMbtKvB}mSXc<
z#IPnb1PS?2Cak5TlyD*frKqD|<dLdOJ*NtvCKHq6_&B!(c_IdkCXt%An~rxG8ZCCq
z;gjTS8p%8WLI)xTfsBEk)-*J|gN&qvhrP`vlw!l3(E4sUGhs03=2YCsxUGmLsJ^H^
zx?J^SXQ1y?_umN5KPUt^^g2`wL)FhCkSys@FW<1HfQ921yJmBw8SP)^7YMxF&~Qag
zIZRVs56=>zUYBBthS4h7L@*+mJ!~@NGX%AZk%YOwl@Sb0LPQ2&QAgV+EoT^=NMMJh
zxrQad8ETsov&6Dk1-{5blKK)lPPYUfI+7iUhdm6oN8g<)vozBZO;So>1e!3J1A|#j
zjOr}qj`8vy6Dw$Ye>6CCh&;Ylj$xifI7e!d@B3-D9!1Ay$(1tsXzf&|LG{DzkWC69
zM)7l*r_fob8gMBvu*0aiN}~&;zd<5qi%|94aP;WYOu7ni#dy6xBEQsUSl^l_Pb=rX
zLXinO#ehrFIwWyIVhJ<C8SpJU=(B(Xr>%BAfktw-v<_Rsz3i&f@yza0R;_@C*R9!?
zJMQ)&;(N0MGtiYT@%9Qj<|y`}x=B-oz$R=jML^Z1(h!{ByTQ6ijaUnKED%H(^!R~n
zDV*XS)8s7Ht3xd>&z!M6Ra}393gD%3{Rxog5MBMdkbc$!aPQ&~ps-}t&0DGJ_tqza
z(0*gMRq?@p810=lqK)I9cF=z#U3xe0uHpX$0dDdT*PTTjw=R56990{PrK_tL1nm9x
zHukoDRL=jY<`)C3P$kW?mij*}lw%@`ZNp5!Q%;K=O=Zp5EqT8*R<IX5n%(CyQ-Rqo
zPVE$u^zSJ(#v3$#8klKSe<3^4SXHZxS6RaQ86845?_RF-anbC7FWSj5QwpDTFE*%P
zhOW=17}D5BD@C5`L+=ae1pr?QI0<r%CGL$E+?8BnSfdyN;8D)fc<gwilVvbiG&fYu
z!LA0Sh8`OO`4vslG`8Cx-Ghm18iF{uA#*VS#do$I20Z4XHHw_Yv>oRVetDW8q|0jG
zF_y2rC_f&H4QS@f^xXpcw#-ngr?t$Iqhh!uk`%u%n1nGyL_l!d%}use6pn8{Ev?uY
zIvIC5A<q_Ul1pJQ%+X2c;Y+!6Ot|AboXpQoI9IrdaPevDlK<$+0SZIoYcw+edpFus
z+3niWEjnDdl&CItWYWeYmE(ZWKRWOqpZ~Wa6%(aOYS~hKpBWUpDe9l#4>(@x3tb}_
zE*6NL-nJnAF--aQTNT_;W&4AWB~n83yy@Va#Uq6(4HB1m%nblBh~2`$f_yNE3oVeI
z@JLO476_+!frL60b{ZS;C?sVH%KIAYvWvDqshTr8J<mqp$2M%zpisaUJWlg89{NPr
zZN`U+kE18+vZ?4IZ$T|Ga=~*Psm?3ID07zFbqT9R=T_^r!3CqXi*)1mSS3hh*8m3N
zjg(N=uYERTi~{ulBIXzjDTUwdNht4cY~ukCYng`yr3Mpjne-ZM0+abyXzH(Z%5IVN
z%oYx4vh<9ym`2VY%#KzSZkf#d>+x20za#6v3$AgV1uC^n{9rIgWqy~$6HgWa51a7D
zVqE)a-2?F9+=AqAvXYlvUcuBw1mv;vtt6RBW3iSeqsF8|K|#x?cq!T3pEWvUk!w;@
zUb{BS+>jHfdT>ar1h1u6*pzH5J4&7yC=Ekfc{pZa8n4m~b%75tLsNt0H5fV?2eb{}
zuYu;ep4B!L{(#+oFU+23%@W`EUn7cMt@C4$4;=JTR~fdot@8&6z|H;_R{76%Vgk1t
zXi=L0_Re;i8<PGmCZ|_s_lMrPw7Vr!%w08sGnx52M4`o6&E*Vf$v$>LSK}O|bj&F-
zxPjA$JmzwsMzQg5r#`jQ!%!v#jHZ#Y89HGVJ~;n|jC~#*kXEJ~lBb{eVU?ZkT(e&<
zfo`ZuGK8j?8+U-b%7VK2J%JMOwZ~N9W}HyKrr*Zq@*8oGIgnLKthY%|r}~+lyaGu*
zs;1Zr_Yj;<y7U%W=hk$Z%~dwp1Y?-L`5tj6&hsPrJ(X`K*GJs>MaR}f^KaaR65K4B
z<a|hcqVumRl)q>Y^j&)ZNOLkg>^re}g4howYn{1us<vjh8y5}MiT6OPY<fk9=(5dj
z9&a$z$^e8)P5HGG{UXr?5C|1Kcf7K46ME(n3e#eD^Ec2lPI>01%1UKuq!mv!&~txg
zZ)=;v?Qrm#ku|Y<F8vc$umV%tSoWd-He;GCVQGINhE{bKkv55zhEd^j?9pR3?Am|#
zXO=$nb$8w-&CXL~OjF@yQZd<#U3NjP{-5;HzZD+=4E*Hs-ltNP`VY$$Q+#i#PbBBg
z;p)==fxXNmX<_&yi<he<+)p>+`)`hbd|jX>v0Ap0iXkZwa2zfa#RRWHc7=inof2WD
z99qR9hd?RG5UZUuNudahquCHPNu=WRjgHf5Nmco@)9`a#OAI2|LEjt7h5H%HU&oeP
z6RptLlb^&2?ZysqfwsT^kQ8rpQn;_U-eu`19DN5fVb@5#?qjo`eA6ud1tQ`X1|Fh{
z!>Dn)+635Si~$G;QQa4hse0~S2Aft~DvY1G(yp#mLM-AgVUp^e$?$zmpC8-Y*)-dL
z#LB9pn`b9-_Bc{6Wd&{pMO#=6%4ILsjt;JoxGUri(%j-+kZvX~kQ5&gDJK!X@Nf;<
zM<a$*R$MqbMZbd3sdM{P?Xp(ZbC<~{Ni0As03d3`6%A6^+1eoOdV>hw`KnS$QQFG7
zx>sopWx$ex4kfB1oVzEBCR9|R0h^B6kJN9S%){@@;?u$z;x)gQY106D1K3!jgLSm3
zQ+F84l;6P{4%SyxjF2>ylNR9OmX8lU(nB<i$pgURbT}tAX#xKQ6NlczJSU?UZEKW#
zuFEp~IQw-+Y7LBUmBNf&6digKOK00esYLlI6!u@7lK(`*&@=v&D7J4R(o%%Uv7kC9
ztcf9tFV`Z!J?T5*nB2<!UiIIn*X6};uzr;!vx@^eBm}M?Is5*Vri@l83=kQBm|;YQ
z6#~L7_EWBRYDZB2CKulmUim?%Jfy_jt@4dO*esN;sH|Y#v6Fd4h(bL}2BsHJFRx4w
zkrF@J=In{A;3t~;gUkv|`AlNL)<7Z|dtN?+P#6J1Z_cEJs_j(aL@*m|v;{cY4f$C;
zGKnU;CIWY{ZP5=+L<XIOa{`NUZTi3u>pSoWEG5BJ;MPV;D5YLwY%pbZN&HdWAF<RG
zD2X|Hjc&)3j$5ANG-?~p+$1U4Pn`j70L-O%e!uAAK;Rr9EugBve5{e#SMCA4qgXd+
zDEK@~98affuJh*3Ym;toseqP#&8$<POEHsbUQp>ww5339pgH541}?MsIK+ix0zo|<
zM1itbTW%#$kT0p#uf^Qx>B&%MmlP%u-}4d6OF%%du%N&Q5tERl<umY@=;>RaGn>i&
z7QuW3=fK20HD50#wfO$&V<^7kH|-HltwEzkzj!9&rrv(p7J7%75;0IF`pjK=IURBn
z%P>|G45M0vfk!<`I>WaS3=-v};)1-HatH1Ut*+Fxw8d$o?lYnPB&47X&M?p1qs%+2
zA5nj;xDp7}9QHOo)rH23%J4=W*uyvd)zJSkzE|9^LeW3TW%i_9PCo81?Y;=AA|17v
zNTd0KjZlwQBmc&*_o8D9oQ-sMM8*-9;WksmK{qAQMREu<AYm!&1F$=xy0(S7?K`<b
zH3UrJ_>xo<+;THUHXtQ<n=l`M=kbwLafUVp+Y}1VT1Zd=?Z6*G)ht?O(P!|RhI%uc
zvRES7GZb(cl*x=s4ILXxU_Px35Eb<j0K-A_NSnCLGdN8^$*cD<8mE@FdGx^{lupE@
z4h%O-1&0_J6m1K(QW4VfPz?{oJv9mqt;|O#aEW$gE;E7f!gBL<4v+)~`NLXfLMbU4
zg$ZeJnQACX5f}tj1kbfifE{*cpH}B?ZQF@-*B~%cScq*&*D{ZN!X7BTELD_Yj1op%
zZW}^-hCa*Zl3-IBqt^qFprpQaE!B#U`Iw4u#B4{r%c*q8;F%Cz18Fs@GJA9R{yYB1
zvrt=pD6bV4EU4*8qJacxt)LKVt!5pOTONS@7@{mL9*R~~RwpNrDQg?E+F`NkR)wUi
zZO}k5hh{2wrmM|Oceb~PgjqG|i<<*RUP7m&NWt9IRyR2rIkMgRlBa8F`BqCu%jfuc
zy9S+Lphp0u^-1@I;D6XE&BU;Kx-akjnch)KSAW&M@5X<WY$3k<yP^Nm3vdx3?PG~K
ztcw!7&&d`ViLQoxc~;Z05smCJtST8*e{4S@Td2^A$tP?8@Ko_`d`5kwz<`SbD1{T<
zq+XFMk$ImkrUwtmmn=>loqeM|&g-}pApImj41A;2ZjQ`TC1QX22uU2p^CRA_Bx&nK
ze{gNu5V&=}9+HLfVPzPRN52O*x$U_AY7w}tD~g<T@Jy~F<~-`#Ie$sLEggh!Lp1VP
zyQQ@yXoBO&=>6fAW1mycLZL(+2QF2_k~v&0UXw6!d2(XScfwKY*CsWnw6{GiG#8U$
zj8RTW-j>pP1dXT}oY(Smy9dTn)U-s3yjAssE$YP3YzF37@?952$QofZjdqgh2Md1H
z<yl^;2}Y<-$^(Da-lvfyPG7p-=zUIxn}tXgrZg{Jz%ish5Nl+UE*?II`7DfGP4Vd5
z?b29)-Mt*vN~J(nu)pCA6GZH9Juf!DnBQyiy|ia8_9&{v{X2tS<-{?IjZzNNM;Q#%
zpkKb6>w<s%+P{E;STJRXs7c_DwB|ykk9`?w8;RDjubbgkJjJ@pC8&KKVQssfH<+In
z@yAlmg@jnEd!BFc*F2~Le-+{G!x7)CFS9PBtdL){ebgRU$X@#}GnP5Gt<cS|n6fF_
zs;fl5O%XqqsZ#MLAcAJ7Tv2O+0(vR*Tni9rE#!EO1AauXb`;>pt3bkMUCDyB0v2!V
z>|+mQc}0$dew_!d3%*<Sb|38~p6hz6DXE(%va9>_FjpQ*%*#Vm;1sG(y*1#5#+GQi
z_WH1<8Y|x1B51<1Wn-BSO8IM{JW)GNw)>_|al+F-NMnrr=;LLN-ZvfY;goEdB`-Af
z_n;!+wI>mJNt;e{{L~nriS8TEODWA&1|$B(wQ^afW&4k_CJRzR0<A4%KL%hisl8d^
zF-6vDO_qJ-`o=_&M>F=aP94HSXzwS+%$L8K5@W9uKn33+G33{&S266lsyN=OEF-Il
z^jDA%*}uTnu*v^Ybbrpp_$jc(=B(4rW{p_no)oMS{f}c50-yT3?5vrR-{=C~v>?gc
z6uU>-iRWv*A~(j3Y6j**qMvKvGP`3Ai;IXvf|02=+D&Y^$8px;JLOw~MoeW2w%A2@
z^z1iH(sLV*nn#<67x7cv(t$lf@5NqPligqH<|hZ&7|(0q!kT~Mfs&a-BgcP#<21+c
z`hgE<Gx_~<C9U&OgU6d3pLum9k@wZm+Q2p>ZRnu$QSb`ij{{>-vWEnig&R^sKbp{I
zi4TJrkQLVuQ|SdS)F7n$tPjhkFz#gkry9`5at-FnzE=WYt_10hrPUL4<Pn8R@6Oyz
zz40*k^Nm0m@Tb5I6i?KQu+hf`i3pLLm!wdm0uS%1ZmO?Cttq3cpllpF?J%8}K8vwp
zL9ZH#!H_P#sH1J-xS96>`ybB)22iT{brw0J>JygbhOTroSdj@lO`EFRz$yDr!u`)q
zKrf)31})vn%D5ft6k_(wWMSZ9p?{TdJIcYkF9OgW3W_1}3rV(amDJ;^Kr>xNDHtNo
zhLN>gWyY&L><2=s*6zqNg@FIkzsy5R7Y@xg9XM+hSi9aFrX7j4;@GS`wY}~N_Y=iV
zZ5PGy|G)E7RDhQ1F&~$_+KIe|#n+qVRpUhC%tjd8MOGfQ%0HG3ai1(+bT$&)|LOVK
zR|eeWavCxJu3<vM0kjZ?4h=Tl_I{6v3GVfTvnGAFcdrc7t?!PFTCpb7BJe_w9C&5r
z(CtWGcun)kYy`@<zWO8fukig*$8u(sptI9MxBUw|(F;%A!WNz49IhdOJh4efy+4k=
z-q>%u&BB^B>w#uO_8(Ov=7MeO<n;DcU}IyWccA6!Quq}4?_M@>@QsaCR<&KY4&Ug?
zo!{rw*gtpqdl7maE9Tm~hMAuBY%Y199>nIP@`sbttdk<i1OCJFYx>63cL*$y-~V}5
z67ch>EwXg;`>~&odut(jdXGTt!Okzq$?IEtf_quop|<CZ0ra0t?i+tZ?C%9z4{+U!
zob`QEa4fljn7wiVyQX19{p&R3j3=hKFDMTSj{KzmKy0C1G|(!XI^yEWPUGw)u53wv
zSuavs>Hm=?g%I9?M*=9y0Io?02Gx^`_$#V?AI?Vk8FU7_jq`U+|0MfAJV5JbR>_)g
zI^AN|uE`0$jBu7Cf!LoWwRS|JhTti`aP`$>|FbJ*aKEdsN;*GI^^1~{l6JZ$H-^^k
zy8kZEHVc0_PRzSY%p}C}4&E<TjP((`yJ2U@wR783>TsFKZc&!<3G0-5kvUPf=Ii`l
z%Cdhgd8ioJFFcQHFD_m_y(-BcbFTg-p>|BKZKF%HqKJ6v75<+k5TX3N1np8GY5E6-
zk8@0cT#9Xflj+csxjp#0Uxy93M)U($@ue{lShcY@zE4D`@o9h8{Lir)A48UMIeS~2
zQ>)J0Zm;T|uAP4){0hoFs~()Kcm%I6|Ib0K(LvtEfu$3wKcbf0ARGC&i&^0fZ^4S9
z$*AeT@pgX|u3}p~MX?i`2HJqS@E<~*|NXNyqsWCqTG1jD!0$Djl7>SSbM^1(-yY3^
z4sCy~WHSo>X`H(f4s}Kixeu}@$!|us`lb8ODSRPzmT~yStLi6QDD0jbpi}unJ?3*)
zaWizl1@vbeV#S7CMpI+RMj@&le!!%azwNny_dM^#kk43NExVVv4>eYRY094PhyCM0
zoLaaj#;qoO%x0S`)5FVAcay)h9eTX*DD8qwtPE|6Ro?fl4t<W&n>B;Ebqk9(qfAH%
z_|0q1O#$wWr}S@(#=N};zj?khI&K%N?mB7is`yyVzjM(20c?7q{VKaU<W7)E*RO##
z6jloSjoeiz;oD?`f9zPVFCNVbaZcy|A)?UJg$28O{0Se{+Iglb8YZ>Nf2|VPRHg-K
zDv%fDHwO1#hr-bezKs^9*YizSZv^&K8^!qYvOR5nO9@>$^7I_9g1>)`mX1y~h^|~k
zn9Y5zaskDjP0Ra!o8ybpb54%oh_;)XTL#OLpg>_)l}SttYEef;#hA4Ats?w8muPwv
z)b<;yrJaI+a3fJ&vSuNAmeCWB%wwV1;+4hicAhzCj)-A|bsuwTodo&__t|3ACOALW
z4<^ZGtxvjHa`&#egYN$qA=huw4@J)r!#w@T3{aa!%4L;0^viHxOB`>%EaLqm?4jb|
zPs}}_>;6uT;7$%UJW(~9g?vCN?hK>#mzXq$1G}*nv}hA(f4}uzjD28b>cBv;nC;tI
zOHAUW#YKc_M{FsA%1S5x>#wuT^$re)HSA&IxmDtc>&P;0PNQf}>-xHeHcaK^4uzGd
z&s8qoi3HV+joRrfhAiCWIyXOBp^SA&2Wi}O0ShRfZO|-j6lw--?4><DY3hSknt1Mh
zI)L8&r%?#nf_Wru?r41@^J6m2WxUAvCenuWpNII9Liqj2p(@}$$#67f`ts2)JVl)U
zDysi*io8t?!@$6lq!E7=N(C+L4;k-&!Y6%6F+9$w-01Q39y0vKZ=!@9f#~j&1OvnH
zl#IRG)<&kXy9e6X=j(7fyRVZwKMxc>Kt#r~8th&dNaqFE18^#^p0`qXRi*M`TvX?f
zM097T=Lx<uGn>Gdj}r{}v5r+6n);A5AM5JdmDVv$=|<r6OYynwQ7-d3oBTKkt9`m_
zO?zck(6kVTWa=C=ao)KhP}C<z?V~s0pmYEo$0eZqBY@WP3Uzcgr`gc@U6C&S{NM-z
zUK3Au`?o>g_<J{=5}V&HXy|pe80#<2xo;<JQh6)gQ(4f^)_>HPB?j?-tB3#SCWlb5
z;yr|{#o69zKKQ@R^A%-i*NSQhK5bimOPJahWaZ`TzBY*KYJ{!)kB@845#8&<bCn-u
z(8v##v&LW2*$&*x_UhBbV{=3@Yp}^OM>$O-oC~!JeI2{GFee_9+&6x}DIqNs8+8c^
zGD$JjqaB;dk(23u1|7_}-yOg_v(swjAKmx$ve&zv?b6zWQ(n9*`oiHgLg#?qoKLxk
z@2O5aU8E@ggsmxOlWX>(DgIsX+(N*|q*qS4??2)iD~4&Wk8vQo%X`c<DIF#(_G+sh
zUsG8k2N{VR@H!h+X9Q9kr4O1=C*4A>3N+iG%QW;R<l!k@^Ao|=5j-C|>72dx?o4E`
zan+2S8{7XWPM#7y!g)%+lwihQbj(UQzgJ2N|Lf6+B|`lIu*vLIrWGr{?KpEAv>~<#
z+mNj^CcmLj3d)GX;pbv2mPdoD_F5rS=0UtLub{UV@<BrNG`me;g{4BW3{l$;klADT
z393TmJ?axmy+Eg_8EFdg@@@s)E~w}5O+U(9Y-=h9!Nv3p3>ps{^y5MMiLG2bJO_9h
zw@RMF3`<Q6V+A`n_))t!ajY7KhOE)Ua1)r1)dr0N{e0mJjNe(6*m;^b9Msm1=M9t?
zV`8D%y$&G)!EFxur2<1+?rC0>giMd)Y=hFdAz{#kR%*sV2fHD4!`vM2Jii#B5F_^_
zW&xdfpj>6;vA~`HJq!Kh^NvZ;uY_w$=I8*(HP}F{^a5>KT7LE`LPc$B>zCR2{5=NM
z2!%{?h=LpP4D)b#ZT>`)iX=7ZyBqgo%|gfJfQh-g0h@14uco@b_??{Tf6m56j-9T1
zHmx2Zy7q|J4GUvK8XLGgT{@iqyeD@Vfe^7PIPyInHaHWh>0_UcCBX+RQJ33yIdtC$
zEokgx$DG20cFz{XUQ-6ln#GE2aL?}VAxdyawHwqIs~9X9%$Rm*X`@fx*-mp@@7(s%
zLd@0=XHWB1$M;8mro!-Tt-X9S+<o)tcaZ$_+nRxS0iU~%gJ|gXb|Yt@N9Whrswa$&
zI`c6_S}p`8|7KMhwtZgk=W5`AX0SgJs@H@~u$Q!Y1(?TiKDRR#2$=Mzg&eHbEB(U-
zU?LF`+_fOcOPkZldlQ+o4B<~|w;6+SRgQZ9TorDAIF6$*0}=otL;jx^F=@(mqjAB7
zBx$;hoNlZXU1DPzi75q5qefX>yW-Di-0*0yl06_c_!j`!OPEy96wE2@5}(wJf<e32
z`y@&+1(<v|c*G>7x<hLeihdWCAr6NYbSuv{s1oQx&(mg`$iNrlozBc}4KlYibCAgu
zW?}Crd3h6&g^Bedk!dGs-$rDD-zKX^{W?H#Ll9W!Lh8@NWz?B`MboV1p_BSUNh2%}
zj2_BX=RQM3@u6pSMky7R5Xb?BK`3fGoJFR9r+ym-ogStW@s*XHo~#yVIlOfNxH_hj
z->bE;nfv$}Lm5f%2^l^GkQAd+`JxwTAo{!@Z)60GA_Rt<dZ-{#+fnpF!f1WOV4%u8
z+>t^sKL9m~F<fK>^-Rjc<@rJiZ|ho!zzLfY<^HSL3xx*wPH^RiU(Dd(TDI3=wh)oj
zLI5dUR1iM)&-#AZkZF{Ka`7ieilGu_J{dM|vU7yh03kb2*#T$JCa(PAC6af-`De0;
zp@JG!H#x@0M(?94gGQZgE%f`50XIEi;{;gJa0|4h5BTX7yP}{B=#nBY$PKn6BdfQz
zGD03-`nAFym>KHmM1mICaH<{S<KV2CW&%3QNWjn2=99!1<+m*ZHwXlB-OC_?*<Dv>
z`<zARr8@BsW`}rL4>$@m&kRus6Lk|#2GA}2Z~?_o{2$Y-WAw@MkeCSnw_N;>l!)y}
zi=DvfqFlN)_j*%NYT>A9(#u%M5dHbM*p4{3f9Q-^hH}2T5LRmm?h*)2D<H6f2VslZ
z!@NQ4NAz*0H!F}gAp?pyEO4rFQ^=Yn#}3-`kdvwN)aw!_d5XRGobAqxO(fQ)KiZ!w
z!;jvZYbJI^CvjoM?8~S-Nkp^OvxPY%0#@u%R54j)xC{3tACrvP<A0ffOwET_r-zqo
znIxtLTMO7OdKZaK_x5ldi_Tj*cRHN!ZU3rQ>TBwVF3cotwuG088JeCnu~u{CgHMju
z)q<-V$QoEz<|EfxU_hckiD{otXb<cQO_jd;F9T7|A^5L(92WH)A#;QvlgX*cen#Yj
zeBCpvF$pj~cZsR$VhA085^b@<sL?=9Y#e!kdH}^lxg#)fAAS<K1~N#PB}zlcY;!S;
z(nPvyZx(e!>fY_LYUDg$^F}A+wjbq?GpkJIn&{~GRk;}|CHlQoSSR>bPdLUd!IuSn
zCQMZxBTN9H<9F2WNLCxyh}+~N!NQ=%$;o{AA(_pu(a6I3N*WRpFl=$ed@!{0N1HJ2
zT7d(y*xTa60R9p(@@DWkc!L1qd==XY+lty$Kr$$B_O&eUb72h^jgV8mHsb;#_RSl&
zO`jgTCl=FO#%*#l6iQ4X_|Tz9OB}y-3Poi3GamR;8Daur5^p-$Fkb2riY~<(@vm;+
zo{f3tetaO5&k{bQ^wBo$PV!e><5UAwe#CsiYPYd!?k=mWNZ%qjUpAL2y#PNrhc`>T
z%PiX`V4Mobto%p$hy?)8JcUdhax$iF)i~|`qhO#yY37gB^OEa?d7ZTwr)yP)rUmz8
zPIoJ#W@oV@Q*PUf{n|z1pF8}PPc0Y#1whRaHS7DMD=8+E>su;Pib#f@^|INQc$MIb
z5C{waPUuI->rnVj35`x_gEl7JAuOQuPULRyCQcy`#L8vOP6!V{OQHvrp+ZQgeSq#$
z#gEDoi!k~~R>+{&Nn+VOk1W<47(kLUO87~H=$B{Na8LSKxhg{r!9ah67nnzqwoGxT
zvGz&P1<AqS2sbL^)(HHi($e`G3Fmw?vNvYJ(XyV0b-WpB3f3HIuy3V6?r4_MKJ}aM
z#GqFx{fLhFv=MH~=qR!S??VH$KdCVP2vz>%C$HaNJM|)q3Z&6%8EUSErvOxqq?p?{
z(*(m(m_M(-2eyQaKxn?Oa;;B9z7bUFmzZxx8^E)|R|Zps5+H;nDFOibh?gNrP6W*~
z^O#|1a-t>#95gBC9Tb?8ct=xOiF+?DwS`yeb-%e)SXo;~ScgjLXwYE0rOW$po)*x(
z=7#cy_w}h4dl;?r$>ag4nsS9%%vVFm<(xB-=1ZyTv@CwHEhw#;`wmgQBTW!2Z1X%A
za>2L?AA!Idh4Ln#I;QP!ZG3~!ofvvbuJ(BgyEI?igmxnG52~pL2<tc0YW)P7{d`xg
zwBT(<gbr0j_LQLe^XR9WkNef}-n(>=fo@YhO%eWgZ);=>8vUsJkCq7hTnQfbhX)l7
zzd%jV|5&5~3K*9rPkY@@epzS0qt0n;<<*1#dF!`=bHt(x!Zn_p5jmJBqi(IMtM9m{
zXY^N2{A>QSUczr)z~GSaRh!1J*7Y`~zrlu0;$Dx3FGNTR?iiOdDWL*!*}Fwk`mm~p
zDf_%1R!vIX58;sm%ZF@lVA1nn;kt*%K*s@NonSwOCc(OAuqcWz%3D){qUAI9nFAzI
zO?=c?awGNLE|!oPnu%V4zY-s(YzZ}g>8nb4F+|8FCY?`idEP;S8|_`Ns5BDFLcw{i
zGcasT;2>hzqU^&a5VKCEj+&Dcvs|*pF@Nfd&rku!|CQ?0F^&HsTEo7mBpLH1`)4Yw
zA%2B`7aX9s`jqA&Q6b=go{yOKuwPNXzE>S#ht2^;x)?`z5%<Em29s5wht!JP4)wEI
zSTp53JS*SXbU6QwqZO$F2o)Wf7}T|V=9am|mFwRCTZ-g?P^}`jPuzk)8byE#6az<5
zY}`f!o-M-pD&6t)r)>Q?141}_6vH||V|vw!v#=_Bqi0BhN!u;SBo|BlGQUV9OwQ5k
zu=AJUO=myeMrth%{CDfX;-I8UZ^HSoOCw6^clGu<QAk||?k1>9T0ZwbV;&J@;Uo@U
zmn*CU@>XBZ%P=JB;FqEgCl@SKIjvMK6;qQscbZ0(Bi-qx8~{^150{0ksE!@@o8*F+
zIwlM9oQc!s>Izc6+=Oi}b8IJnnES41-V@by{jKeRVaw$tz1?@{?xqpVkd*U6F4@YM
ze+X=s)g6D*Zm4TQBzrr~BR*3iiPEdN)XI@G<Nn>UT>f~lYq-@g_2EI|=~-Z9aF#Wk
zLpk}%LDXK8nt$KTT3hAX@-W?Qwfp*8>v8zS;;Pdp>-jeM<I4<lQ)_LR!E#T7guu$F
zAhlxoZ?9u7K6DuFW~duG^KU0V20mPi4Vdn_9A-@TrBd0EubQX_2CXn`t(B>KQEpC}
z>S*^|av%>PWx$?Rv9?S`wy!>}iI>h8j&l5R?Xs#66pDo3m-4945b6XyL%%(=-$Jj1
z<*L%E(zMNTn|i#$kXWw$)$gOiJ|%UT+JaWPrLMJQjUD?x=Lap6G+xYzEX1pUU9da|
za^L%%Dv2p+dMb7k)&huEdX_|a9gu-?0bD3z`PAp+^BL&^`KLJiXW`PbNxaz4Y7Fxo
z(u=+IV+KF*wqL6Dpu!;(4Dy_J0VL$aKkNL&>+3Se1W^feYS(i~ni`zoLZ%~l_Sb&2
z*;@M~76BkalY=}z1d*%w_&<w~;;@OW0iWRg`}iQ&GNUbZ`$P{47Vd{hHW+U#O$gMX
zl&}ZWRm{{cKt()EtNXqZn`b)Ub}&<V`It-c<~xj2MIkcLuFT-1_mJCduF)}8voYDj
zepHNT?jAAW*R6QHk&8+w;j*+oZvno*eh!Fu`Pagn=_Di?Rc`EjpN^TP^E^8G=|cW_
z-Atho;gr;<{8@98j@I*NE54u!yeCDAh!dk;jCIqVe$HdKOH3D?Gkb{pKFl4GvwnH4
zBbKHFX{^d9oJXAanYA#12e|9VP2p@tMbgjF^0&V&HX{Sx$8W%)!qCFj)6?=rqm(92
zb*_HbMxW*eBuz<4>EGjiSFex{2)}He;#iT<Ag(0yl!Lb4P6-5enqpjMH^iHoHt;Os
z88&wsk};n)o$ncsggLr?TMj6Ewn!E?9HOxM^&D6|`@mGH;wfhEFjv`)_P}sD{DFkN
zWTc$_F^+mGohlL1wcLRtK)xu`tfF08!ML^i6jmZR>E`FZYSZAwu;+5>vb8qnW!;K?
zKvlw2GUl^mk%oD|SfX_O1CPU5q(qrI>w}lLb@J<UEt3?M$~h<b`{4qUhe;<PfyQ`e
zMSH^(Bel-%krnUDm)Diow&B}Brivd2r!=lSWcPnAL@LU3;1q83#1fhL|Fz(1ZopfW
zMJ%*8$_x@)5c(>jk8%Wj-$8$b8HEz$_rerGRtGr}ho<5z8~t0;zH0C-Mi#IYj!{QV
zsb7_7V%Fd!nd_F#bqI5O_;dSq{aM$$pW1o_Z8hk;y6m4gJ`9yI)5p%<qMqm)9{Ri%
zoop&$hV_Gsi8;Km+xQ%=7p7(pltw&NIFp08>N=#%svpO5^D7y?$~4k4BF})pqE(>d
zOQ2yQ^VU7@DD8f=*~FAnlh`*e!0a^-WrHI&8mi;qltRpPy;$f=fJCE4y!p1PW^a3{
zDlPltdzdNBY~Vx@3YG8<TAC!9eo}Bc^BC@!H27svsM41$xCOerPGobmTH0fw4+wAH
zTR=oV)Z+ff5m%E3MPG30Wn-nv7~3uG_aZtJuWzR+&MtTpyShP$bjt!RYu*gvy4lw1
zVRO+jPdQNw*UrkOOu7GRDty)=b9WZe5M)l2<td48nsZ80Qp++mv0ip!;$S$<xIQf>
zX-YnL+-a*e3|^AkS<Eo3wtjY^CJb(EKixGBG^jFc9?kQ%UhXi(ct}2=N_+5Zf!;6M
zxjW%_;pT==wOiaN+)<r>1@UWYF;qBsbe4>Lk9lV~(h|Li3)g1yuiHEiy|n%#8Beyv
zE9uis)U6-<g0rA^S3Fp%ylK8XZLd4ueQJArSjrz0bg7rvM_VhPtHZALddvG)HR)mX
z&=Y(zR>_ZV#_s#%-Skt$62z*Te8ySeemo<<`S*imaUobC46a@?jA%ntX9i&)dAVol
zJbbUOR9SMutZox{WTv21xg|43^ZHC204Z2`-KD%LPI~eI<{ZfhtGHB!t^qH0n3Bkl
zH#9o5dATNnc{1Iz>=W)#foS2eA9ljSwI}majBaMwcWGDkxb<^H9tx|}P5MZw+mN7R
zIGTq+qI~^ni)$`8BaVYvEWuD*34LfQMYiy1#oHP~;CIAor7uTTR6+s5r#xp#A1Qjk
z?Fg4geg35W&cil|e1wFag{u6K5^$0wti0xN<Kbscx8Y7_1Py-IMCZ>9G0k9BTzT6*
zgw+Z^Zi;K^esBbvk>Px-wt_+#Ev8|s==H2-xMad-L|@I6W`wRSqdkqjjL>liyo<u&
zoQoBv!c2r%QErl2vpw$8=*GyhC1@w~jbLJAwa+?A;3vS6p?N7*4?ESM|Ji3v`_9>M
zs1;$L1>DlRjxn;wQ%(cBU$)Igmm15-1qWpwX0^~KJ1H7Xk8u1sp#V_LTQ7tVXX8Hs
zAsL`+itU88-!Jj=92bnbErb5>TFvXqM+3*Tzn&XfXq|LVY^he0fU@B`V9x_ev><U-
zOLAVf{)Jk;Rqpj6FYpHqi2!{=9fG`7VDu5J{v*X_P870~qPxyEK8JZOj9-u_yEDD5
zWDT*+&wYLc-<2@*Tiv-27r@rwb**X>W5;l2Ik1Ts-nS!MUq-vHDc0tIx6KznqbVp4
zuVSC%kS*?AF)c%d!D%6SaCK9DO*4m6eTaS?wJAPb;>N&ips`O-SSsjcKLnU^juQ?8
z$1xn!p)FArYBFyWD;Z32h36-I%Rn8RM_|d3$SutL{+x0B4sGL`06d&Cl{E<MrIjZd
z7&o6)Ip_BFGduMYB)jJjbJrHmC0Q);GkeBYlQ&>mcq$qV*lt&bBNii^RB>X^*V%Ko
zP$4bI@$Ow%CEsikC>ulS<vcLw%I6DSAvKBNc>ZcM+ul4<D{5{$j-c>~I1l63OHGO{
zyRcJ4(Jsfl)QB^5r+$-%`5<@={tg2_0~G&K6pXp1C*e#)=!VVfgMb3e2x-1H1w$nt
zlwI40oV<LLdkGu*WF1NWf3VPh!~b&%P@C6JQwhs8Q@jcS?<(eh!vt#ASkd3$)O^^#
z5He+080u*Uf|_k0Wa5<CLzLwUno4AE<?8A<GD(uD`(rxN%K6?+y`o8(wz80F12Lom
zVK?DBTBz$Cm1%Ooq2u-GoqZv;ur939DV*jr`uNefU{IxAvaIKV2l_okmei+G{FdPg
zxf5(YZD9;vs@N6)vD&jy0PT+3JU8QC3a_Akr-q;g&0}f|-(TNJEW-K%R}H66D0w2h
z)Q~JtBm^sWf+n-L!r0B?JniRR^~$mAu+t;+FyvdICt}xuqoyl1;zbuZMAE)WH8^#~
z!L@}FH_7EXVTe(*cL+=iB2e79657mG7&B561TdPhvR%k2D%o!Ye-#R%zV@OL%*VVk
zj;%$UK+1K}NYRAA!?~mG!uAuy8Fsy1MtmyEAQ|D7lPQTBd@n?EACd(3ULZR@he!P+
zCM`f{Tl2-+AhuUC=>91L-dX-M8*;S!J-jCDY2Sq3NksZbXdt$~eVekADZ##r2+xr;
zYY$0KCc&=39pnSb17jn%06aaYSU?5tJH5|t38|x(F<W+hk;;%QT%NKOU@hXQ&h01U
zCfsIBANH<*$4xy`WI<e0oi0E0vz7gg@)$?MSHPA_%~uM_$<VMU6&BzZNe8EmTLQ2N
zDPv3N<<v(Avoj|C1NQts(BYdn7*nB3CzCzr8V5%v-Px9KQ0%+%=9KO7vvG#6Xqj36
z7<w@Y3J^XlUD_MCv+a<mHtmg2Mau6|uU<uh_{0F>`&1w*F6tK&U~6{$US()hEdd|R
z`^`gFZI~g^433opJQ-pHYk>yD+1Rdd5w8dxnXU9~5RfW_6^A>Xkm_SGSO1<6nQ7L?
zQxgxSW;SdJdqb*3x#2z!9AmjYu$J#W8wIR@F(`0wqiMlD+gy%4)Nw@8$H;_;!r-Ei
zLRiYLlh&;gC$`IcvT|TLSs$(>sdOe|mckcT*e5y2nnXN|(J%#DQOXiTo9AJCY02st
z2R1ful!;y`Td!2&-^YDr$H)ZVgfK<GQ!2cAWn62sGt5nL;ZO+*;;H{c3=NGPzRiyd
z4T+@ASpYOeqAo86y5DJl5aW>f32aDdkV5z2iIb&7lx#OZmP#UkJH&1Ju^g?G^_RVm
z>V`nA94is%q&&(?1mjyce$>HSnxrTpriMb-awinU=uRZuq0BOmOx6)YB7gtTz#gPQ
z>>)?H{G?X|{)m>LzHn}K6PrZ|%!Xfn`dy2uSrlL%!e9ZZdE!V-{MZKhMBJ7?UDU?c
zRUQS(V;{vrT)t;>`*z(Cq-@2W@0{Wf91P+Q3f?za{TDM<!vab@!w$Tlad$du5>U*a
zCqB0Q3gNPs#ax6kp8eVC0?Kt`Y<yE+1Y;MMF#^|WIZgdTole2Nrn*f6t7gN<R>l6U
z0*?6>PLdm*f%o{Ky_~Xk>>-gKV$VL*P5#6xGA=y%$n~bQ?A=J>S3GQvzh)jq7R&+w
zMU%=r(?9U{31cR`B;qL<vx@ROI;S<2p!|%A(d!cmpI->PN<cMB5)eA&Yn&HU@C?hq
zH-dz<XvTiU09*0hXjrW-)7pSVLcpn0<A>PhAI11!e*mOVee6Rs2={yLv6j$iN<N?q
zm4@`g3TkLN$OkL%NDx|0kQL%k*g@pPUs522sWV`6f+$feVQXcuqp88oA6zK>YP3t2
zk%q*b*BDOMdTEBZx6gauVns9BDH%!dYpe(~7L9$#K?T+$)XBZr3QZmHK<LF>q=HrS
zk+L76rrk&6=^?Vtl$_Vo2qVlQR7y9$LqAG>b*MvAU+ACvUg(rpsmpQ__eID0kRFlM
zw{yxuW-=g9#WT|^{LJ7i2@X@1fLzWW{lLGDV@wEdzh9`2hr~arZ=PKTlmpXgLG}JZ
zmUMvb$XITt6%9f%ZC*j#YTEGS+@M{DIg4`!U3jMKCHs%ET#~#R>}`fPgy1B6!`_7G
zGWDnXYr0OqYzTK>N8gEoBUM6N<1%8PJz!#3(4et!U*}BOIzXJHmteu!tavp-tnDJP
zwFGhLe_XS9GI-ajSiuOQJC_DY)tat#jbmQFN`<sjJRaOCpW$Yg!|(s{2Vn7GTW>zk
z4U3m!cano%ul3JhIdoNA^)H%gr<GUmAuf<=rQ2TW5IQPxjf{{<esBka_R@UcZKlD&
z)ldGtPZ<heW?plU2f}zkCN#el6_cyC(-EQt2*cC>(Tnd0xl8X;5U>iZxHo(edChE6
zrxZ;ePt1+88C9;ilsf(Cpik#M4G<vJJn<HoJ|VDD##}eH_1VDS?d-Yhw$DtUHxmP~
zUAa?($&!8RiGy&HxMyuD!q*nR@C)Z0IbWx}*^f#$jjN(~m9nily1u$m-A;u9x|kP>
zqs-pd4km|gBOAMKmUOIN9}XXQOB~k3H>wVmv4|o<(Ez42bU*~=Q71nOab@vuh-*_?
zY_#YESsMq3kxt!d!+Vim6sZiEDb=HGdR;QOBlhZ`QBrhsO?g`=)G1+*m;Mzj$U<0A
zFL#U<bndtvI7{J|dDd!;N?p4$yo%R6u^aYXDRqU(oKvvL<qQ0gAEhA~@8$L5+ni<<
z$I&XJlv>^sO11ffzt9*p34kw=mR8qNb?|UINZCt=S$}f>+Nzh3BuZS5_lE(HbqzW}
zFLI8qj`HmV5qAgv_Yae4@gHL;3&uk;JZePxV#Ur>DxUDMm<He15$N(~6Q3O9xO5i<
z)2QZCB?^UQb2}K&Tw?2Vg>&@yK?SW2BQok$M}PF4X`?-E{PP)A(ANqKQontQi{4ob
z4vI1ZVZ7IeC@!1$Y@!d3s0Ls2j}t}i<$}c7IK|lquR$l_3!OpU&rGJRSRpqLqR;Q7
zxaZ#nT@(GdaAz?w8;C9ONhV<JqdE7@e!BkVOT^z1H{6~YcN!KzdPaigdumdIgUmFq
zOX%}>Q*+TJ8KGf9FCtmj0qex$j$%t}f6zp~;yp7#IxO(A%J17>ZP%j`DRy=JRRvLo
z5>1!PEP`d+H6QOsK8Vb515@6rqrzx8BBlr<KNBQ?O3~n|iLh$0><2U_57x7_ATCwa
z)wy`g|7o$7C#5ULdr?b0gX9~GO}`~!JaiDm<fo13)Dac7n%PM5BtyiT`|a*<TE!``
za^H(=lOndxCq<Bkm-Xk}Yw3fr-^1Q{WZ#}A&N!V`GkTFkLX4LhJKMDluQms&c~g#f
z5VbwaG171iNgf-QSL_W_TYdLqUWJ$UUDQ(5WCaKFxXm{KAU3g`S@Qq!;z8JeqB~=H
z<($koc8Y&I{onW!13f^&9cE(>%4eAGe@ZHWL=pgRZPUEbec#})7Pvo<gE&c>7l$>8
zShbZ#qP0j7F6B1(-h1ktHdhG_X=T`aQ8$)hUPE2}R8>ps*ZEaBU*NAN%<16nr~S=X
z)&j<=mKb3Pmn$-}!H*Rr)-%qKi0+Mn(ASe+KTR5YuTfdCWuC7~CXVad<cbfHafZmm
z5zwdG<+yWk#^w7fm5{n55=p})h{TMFJSf%T?^GH2E)sTDgR&^vl4ghif|!7p%V;n+
zwC|P!TE;p4u~+}eB9OsvqQFL)n?Gr~Wo)G(%}*K}blYB?mYbNDMR`#UpIL=I*1PX8
zyy~U(H*d|vGM#)%mAh|n@it6x>^R&>xoQo};5oJUBv5e8Xi4XeyPjOsP}%Nz-7n~+
zn<#pE0L3WXn?;+AcAl)C1BVdOr0rQRFe<4G3}^BUyDNfCcM37_{b^5Ks4fq})*0w2
zPUp14TC@kFVMcNN-ZBl)(7gH&iZlXDeI;y=&BIQt^*QXe^ZM8B=Hsiq7L;6q!_|K@
zpqv?eY6px96LgvY5X$V!{H5YOcOa$kGr==iKIfP~2ASVk5Ju>#+AQgL6=#Dege;HU
z5;5?6fwsYQL!-@iJpRl5N-}~yl0;eJ^O<Bezhyc^PV`41HXpR?Oe5Y&c9B^ACI*+W
zSGzlrn3eU{=bV%TR--I4LZ7T`whfp2lcir1G(Si5)zrXvqd9`Cjz0>dV|(u|hUi|k
zwzhIP&NFsIsuXw~FOG-6%5vtecA}G<wtn;I+f~ZpQ66$_*~<pX53&V+2Ke2q++^uB
zCbxN?Dn!-t7Ws6SzhNV*{|t)8gbk|Y??RL=n$SCC+!7q~U14Uh{THNU2Ba1NxM78?
ze}OgO07W95;4;4y0od7<re>*U7+dP#-(<c_4t^0V^(r5#?6hRyn+_>EI56fNdEj5b
zhrT~;$2afCiorI|uHo^xt#r$Q5I@PCT@kzvf3Z5BbX45kV@Cd0c0dwhUjg%h&v*F}
z&p#$S@QHrS<y}>yvJ|YgUu~)}&~v$MQu}RoCu%gGbnee=^g-w@_o*=D=UH@-uJ+sD
zeR=QZDD>(>O2Vc?`f3%T@fH{#qYF`A1O-M^QZ9j}oiBF-?)N_?{`itV78?_eDMIHA
zP_sMM%6U4bivP|U^|J=Qzmh!oF{`R$lLPrZ0{;xww9JDx;flBQlV_6KVeM(g`JAN8
zTT?uTwZ%qzc~6;F#uW2rd&Qx=8VdFdGv7unRK;xUFD(M27y%s5T^5a~?zZh-#|CXD
zZ4OeGP@Z-|N*LdbGc_M5YwpzMOGUehf-kS1uIGkOGZuBeznQifk97#rpI>JUH~H1l
z!0KJ@#bnqNSJm?PtMC9ihTvm3hERwG;hfLaz4epV-HoxJLfuTY;Zpjv%8p|@HdRkX
zS5apJ>yI{Kza2k;cMG+A8NR&MRjz{xYYqQWvI){q&u<)$=GQv&dz=JEgZMj9JzYHo
zBlwz{F9@EEi>uPyKmQw;LVeVA%Eh2C27vFOhm9=wwp}-^JN`43&a1fPamAW&3;(a8
zrAm+D2Dv%1mwRJ-yn%D5=G`*!M5$ABQQ17s)Yo9Zg0g35ugKptQjfUVYRBE{8Esv)
z#N5uTN6vJS=UZ%nRN+W4q@%cgROr2m&>h;M=bXsZ5vS?|!Y_e5=;USHN<0hLS;FL5
zA_XPa!{+lRX=+H-jVW_k2M|6$sw`2fisAA4$B!RSs3KkKX4TW1=4FxMDrtKY`XV%b
zwN@yL>WF>Q-FbraL!5Bdf6gcn_gAS^e%A+{2#q+tX72~D%c^&~A7>ss?TEcm33;6s
z4w9#vofn3^e7N5WczwXn4W?nji(Rd86)P_M>D)QWpMb2apOuv|BQUhLy*=J}vs^@3
zr|qbgSol!4_2BvtM@>8}g12H%JLDOk-I)L7(ne#Y%@gv7UCNs0TX)#3Zv6<|Ky4Nc
zf9AyI_XmxY6d{NAlO|Ic(=0~hqeprj-#T(QbXzP3T^9c)Bg_UVp>ZGZ5U8(sCOh%1
ziPWLcZcPL}U~Yct(}=;}9Ts~j3sc@&)|OIUw#5)Mw1FrvB#L@>yanYW&XI{DQHIW_
z`gF3gsK($Q@{Y@nX2(M>))I+C%H~3{J%Myl9ahwAg81|cx51mg?#ode5R8NWVn~!1
zy(0@l^pS1Bdk!t|;b*>}b9cn3=qX8Qj?i5m8|+Y;VT~Dua*l{{$H&6LLbaUP%F@6G
zFC~c*L#0nR@Bt-VkB<RRUxnu|N2Oe+5|2`HPvw1ybnI?wdb*CIGPZNGFX#6x;hbXC
zJaNX03kda8z9bUH-gJ5yXDgihZMe-x=v0*Pjyu%;m>GxJan|m~VaNf(kv@BbmpP`~
z%Lp$(vN?32xndu3xIOSH_3P8^=Sr227n_QBoD7is<R>Z0J3V$s@>}!Abr%*Epe1TH
zxXG2n$~ipm@t94dmTq@OejYDrzNLw8?dHCkGu^U=atQIJvlk>cEsW@myyJiSoW-Fn
zv@~6+8D+rb!s4M3Yf7NS57{OX{HeOw;s)oBRrbyNV_U>v6$hivw%dFavILsLLS4}a
z-2LLP6bneT#<;_W{qyLTIL0czY%V(q(yZyJ58`kXU&M6Jwe)x_2b3_7o7JqKYC}R_
zU*B<x=KkRnxlUSC$iG11MAbnv7by<*0{Vz)evQO~SaQyM2_O#i?aXv$Lp7uUkWUGT
z(69AOIyB*Qg?e9SS0%^gmSlrQ`<KUf=L9xqwGrn{4s$BI;v?&|^tA|2N_)?2)n~<P
zCF)csn03m%d?idm$l`c&Ho|^aAL8QB_)mW2@+HsxEH9;R{xJ@Fxl%aPVnutEZ>iVn
z{!;n9Kz#98096O+q>>0r_pfK9+GglNPKtJ2?u#y-Bj(_-7*PwbMS(@)$wfmiZUqri
zv`$ys)i_LJN3!{Iss(AVdx1^%D=BBBUkD!Mouv483A{G><W&@kd7SRN3yl5m5<ae`
zed&4$O~Zkb$m8j<70MDP8@RM@SLpUw6fKJz|CM@Eh!Km1u~JM>5D0$N^jC0y=Zgqn
zmnEiXVK;givc!j~$%F6HelB`owmrr;?AOYkrXj(_&mXF~yT1?}H=x066nVPhJeaN(
z4rIHh61W(mvOVOXfjtkW3fxySSznhC(eS-7G})>T`bVXO4#)IFq7(NO&sFGCy_@sk
zMR9!=*|@bVb;*09VcH!OxFCU8hz5c(sM`@3d+y+BoCLi-Z6y}IKZASS1N$JWhlEqL
zqD4N0Bzf`+6FqQ)UpH-=wQKv=zJZr7oCM~!d5*I<*mr+J_Q#J;&xRE%cAxU3B~RLA
zqZz>wXkAY%em2vF(}nsD_KO|yAYT=sb9lSCDoJl5(Gz?M%+eDJl-Bk3)2>f~Cv8#C
z!#8CyGnnUtvf_X9ULxd8vE|)`(IRx#Lt)@rkpC2~X)qZ^V(~GX?9D1KB(jrBYg=p|
z2G$lis$kJ3ud@hkqm0b|%DgOn+t&i%3+I#@uz7CLMC#Q)VL>dXB8Py0@OqJOZ!*qq
z_0dAaVXlg~r3@VvkLknn(+&3BL*%k5?~0FP=3{u0rmFB0(~8KgPATiXdVC}%xyq+p
zzZg(?%&ae?w=h8D;nAb*DkWChYQ!dQih^X5$;F!NeegyRm-({GbMcp-tnEh%_pHz;
zGl%xqC8qH0dfx`f<^QAWEyJqny6<5@B&89gOFE_d(A}VvfJnyyq(eHTySqVJx(?ml
z9n#%h|LybK-afzgy53Lc!>P5`-fOP8#u#%<OCO@<JD?vUzvR7NdCyyimFD!oDw8?+
z=|S?9+X#OMi)_Dt^8;e4?Ujab9nV9#NbbQcj(-p*{gGmrh|^Czeit@v+eeZle*Mbc
zI%42B^fuM?h+8;fuD$bH@!a!U-ncM<JxO$Y)-Bflp`qLf1<(+f@)n(3eEhVBn5vVW
zFdcDM0A2<-e8v94E}2&f#Rl)*#_Qx8r@PS>XG@F_Rjs(+_dk`oU1c0Y9*bsy4#iVI
z_h3n;rjz1cH=x0m@C%otTbvCivy}?o=DU8yyS*P}CabN<qT(Qzi-Qi*m&7Q<@ziSf
zf|ahDn`?H?)O?9GZ4NU_R~h#Ki*j(*bu5iK){zz8&|z+RgguyoVtOil{J*sX##q<m
z<?<;1RF0RZ$%&yg{FZBBKJ@4D1vu`0QpKH-+J59A*gx1*1^iB<^BZ%&OG_YC{_w_2
zdF4)qTF^TCeVQ-+4$VXP>cX-6=Q9Nm<<&PyRDL@UC}JTti5*N|baFyUl@E1!FcxZA
zw}yAOIkRHgIwmpBd)y?^H`VWO8;*Z5_GD*4Lf@x#k$Gx{U($oE|MQ=J{Vk^43>Iv3
z0OxcpH(us09J|DHhuo(0p%PU{jLdLJbOfU|Rjx8o<!7eU3O#wjrI?pC3-yAAG^?<+
zT@RPii;UT0za5<!+L3@JpI3dxC{SMCQ7WX-6Ip&b8)<n&MXYt(+NG**32?gcayxnO
zW@t+D#DY0fNF5}Iv>Gc?DbQwVKE1O(U4=dtJNZ1GCr4M<arP3`Ei+prpD1Q7gWEN7
z_uYMFw-^WT<%?S!UBs`(c&;o$McQS!sl7SGWZ|Nh!wXhQkY<!DZriP(QptUSRp$o;
zs-HM9C>Q%oE5V#^c0@q)M$1k0!cV4C4TPyq<1~}p8x+0gimIu(Dg_QD^Nar9sUNJa
z4!EmO_478;_w4Z}Zl4<>9QGTjR3|ziR6%e!PEx|cAj0|D%mxkaNh{QdNJL_}m-z2y
z@G+WpNc37hmVOe$dAwI9eP*+qSMEmzeR**STK(Kt3!d>B=Gm8ZSs$u30PTplsx(K8
zJvHeUN91f-t>l`c?u`u~NvJjZ8{=%9rF-Nl#t)~8Y^1B2!lu0MkqpLR$a#|Wz1_`E
zHzd}{jWTD?x*}{uAVpN?=pD|{Y33J}1Mp5U#@J>NQ(^pf7jUoBowqbdcSku!?&U*6
zC?|8ZtRkUEw~Kz1=KLsak%zY>c_zutbE&c4osLd(JM#OokzRbzJ^543isyDCdMDYc
zC6*&nz-+oe3Kv;Z#YdchqKYUi(?||)l(EsJlhUbXuXnjT49}XN+H4~2>E<y1<P`S)
z(kU6_krv^hS#7D%L*(ea8YsXjoYutSU?StVVym0*5It2Mn-KFco2W!Hm1-r}3i2r5
z|M}&KMxz7alGC~%FlT1t!h2V<wxIt0)A`|4&hX#8^Y94oQWdpCM}a&R4(hSlI_Oug
z%S^J6TIxbRCkm$Q<e&2*pc(P95hS^QX^rFB^sKhm`+d@EmG={rwqeO#^J0Q{y|w$=
ztm38T1IU2A5QSa<zO^m=QvtLUFMRRW;P2UOr!Dp%$IEP6KbdYr*E(+3WY`g|s}sM2
zB<uQ6FwlfO^^j~vb=RNsqUHI*`UD~0QQVx~$Uw#n&~#o{jgfbXR)E}-Q{>_TL<ZtY
zR+(YVxl}zJZ%HdZ9aHk{cpb+5&#HewGa1Wzg~`R3Spj*LZf>Z}>_Fl5g+*@g1KMSi
zBc%GCH>IUlxW8EIcH;tl*;u$}KOaGZN8#oU-3<plWz<TvNKH^Z^y^7WjJChBO(-7^
z4dXWQ^bKh5UA$5+*%c5rL2kIMIaxifJGVs8yV%<AppYFesYOAVD#;HZc2<>SQ3rYY
z+RZFo`|c_4+~|iJC@^@8p{{t49>SvF^@d<Dy`FnS<)dB;vTQbth!6!j9KJ{bIZ{sP
zg>y0?yTwsHULx_|uJllcN(oEyIBe)q!PCIo!ydCq+HMbK0Q-sm6Yet-|KkNFL5nGd
zwnv9tjLr{%lKxZ)tI)TkHay~UYp6S7xROl3M_Gna-hU|Seq@&yYj-2Rz!*Q!m@xIY
zYF7yt(I$1S@gh(W1c(rLimr<;9Np1D)93<uaq=rWJ2<(-6IR!DXHS9K9XD^BBxgRI
zoOoR#My(Lji9ER~9xDW^^W4GbwU*_VR#8bn+Yfe^<E2_doVDfd(EDH=qATc7r*r$e
zi;4FHjOK{;2aBP@0{h<91*{<KB6ECV-6X8*;z8NFhly*$(meT8T2ZEmx~<_<8LP8X
zc2lwdL8NNl(B{{qqy$rPFRhe5*ezYEO@!dG!f#ZRJ#+duzu^~=i67kN?#EV8;mSkL
zGjAJ&bp9M_fA!OJ?Lk8}1LQ66biz-nN;tTI<zdrvx~>31sLxeMUoyQKG=&N0pP+ma
zPxrXW^j+=m-#9VgcX=PV?|1SZ%57nmmr9vsq>VRQd=zMcOT9wsi~2GyfY62Hk=>G>
z-F(dd>3o!&MZx7jQsk-ifwbCeD(L<p)*sb1EN;6b_I--W+4l>^{Z~4V_t!Y}w!;D{
z7M&<9RFZFlzX<5HuPAf4PP6fRetyExMApe-BQ0LsL0!(>FKrZR&kKEC=cPP)6nW-3
zwoB^hq3#t^)3Ij=_%wjDz+pB?-3DqDQbCC1jN>N`b-9<rd+xbrJ3CaW3fa!qzL!7a
zg;LNd&n+%ho3vc`2nAEKt~_=>6_iCH{UKMdv~oe0Mv#O2&w<OU-$!tfwAG+O)hSiY
zS==n{A5K1o4!X|Eun$=C80cQg^c$_e3JS1BYwurVQFoM&$`1kFwb_Pm*kdx>-}AYt
zW2zp<t%=`YyRV*gMvsiAIwG&ZDZnX01)#PfyEdPeokesJ?+L=}jWyGOEZ&OME;*ov
z;$89t*cZ@jko0yYfBqQ}cE&kjZq*`kzQwc=;8p$-mHA|u8|42BjwTV;em9AZ=@)0m
z%&6ha>pVt6tqFTIT{0^k2;VoDsiF_j@&aEyo7O@D5Y2CfR_)xQdHDI|4#H*_|4Kvp
ziJ^)ae}UrTAgNuhllIU}Yl|)eL&90khf`|m%%LKui!#@?r9$#Z^R8v?7*9VG(gh|n
zMO>9&+JEzk@l5&VRs^yqJ6;h=<jdb;`S+_(9AV2Sq@=QUa-y3?H9^+Yq!FU!aW8Ci
zXg|$8-fpXtMz{Kmbm62*aDMUtbMc`YSm}++>*x^ix9OFnx$hw~?6e~lsFkJ3CcKp?
zZ<cEeo6NH}cUgTRoh;Y$iEz&ndTEsdncGK}L}Eh4?@yB~%^ptWL2qiHPJ~@nO5(H<
z55;#Sdeag5lBM<a1~wY0V5`7!lkJ>*IJ57G3D770{o}S5>9`F|z%FzolsS96ftU2s
z@mMqOahvTZ<@7!Gx*K%B_cM5z*1J^4mF$=cdfM3-iARxlC{>P_c6#!Hvq>0d(p5%N
zUwEGC*0~Neg3GBbN>uVu42=vcuX~Nw*wx0^Gg*04VmH6&DLEZ6mo{H7M+4_>DUT=a
zFnQiX)xG5st-3N1RDNFs4phlHW~|{fel6khwvU{<X_iX)E3{5?U&Cp@wU$dRcOf0V
z?3-wonBC8P`wNbpKO(CPeaafnSh`Q&Cbikx^>yI{&(MNh1@uqO=*q^*AkShzryerj
zJm@j%d{WmM8%fDTTwJAaIKm!rN(E%%rzG{q1uM`*w1U7;&%^h5LiRQNy$T89jrs+J
zUTYuA=6Dp)0kheBRiP8uo21vO+2vZlUSfkw6gRBr{-`ma<z~+{5})^qiIj8g21&ZG
zkY+MN$nDB*Dyqh}wOEZwhEKQtY^hN{Y_*v>9Z2Jmt~Bkw-8glmw4gHaO_`lTHGCAl
z&Mc{Imk8scUohj@+gab)N`_Mc$ZNIUbdssZt9y0LY8#5s`*TiG0pz#VSPbfQ5k&3>
z2o9<r0_JPY8QvAtfERohQk~jQ*`mJt2F)peo<$3oTx9*b7=E&nxAs)u^D1E>PC7A>
z>>W#txg0pNbPb%k4wjH}zBa4WHjHGT$(?5b@Gjos#J|VHcQDXWX>Te@EXz;iw?JB+
zRGo{7=zoDpfXavVnw@qN!;0TdEhi(CXl&cYjL~}&R>It4lbK3p*s}Ge8lSGpsnv5-
z_k5cvLxKoT+&Im-C?O>IVr+V=po3UvQsAIm#PsNa;$Y7sN?5sH&(#Xv%CLQ8FwvF<
zDB$TpV$0bg@Gf?qAb2ttWk_Pr6X(9%#HJI*zc^fqov*QM+epWvM0ztCMKNFk(9ptI
z-uZR81920rTF3biDtYXYuW#ciLx9dib%sffwL+Da&71#5vPv-$bTyoca5Qt66y9WZ
zbLkO*d$wrm<y_klUb^DXb5Zpd%W(QmOJ8B_4`#hO!UWn$-9H9&u*#(iq@KkMXLccN
zk2`OtP>6<pqlC9I`oa`QE&1qhjE_hs#<q40F~y80XDe_mRkMNWg_kt{$OwSrT-v>$
zhyVen0w`RAR?loPSmK{XBT)~tpy!xF*((m)Tf=z7TewbKUzQH+jU1puTY~$|sl?sU
zJ#ps(5?<>9auWp^RKO5vvXBLebdcKP-5iX~07d*KS+!439(rdZ-J$q^Fa!BO+sL%;
zR+>^IgPxkks}X>t4*0jou;--7C7MWcuwv7P)69WZ2EKhD^Es7K+(|$`P(oYz%D)xs
zt(Ud8>Q6vbdi;28N*ev?Gd_lJeX7Tkv+(P^h1&39%=Zo<CCqQOI=cMC==Y_v<jQoK
zX9qUE+a2>e2K0eiv2>i`7_}+aN>$7D#l#27KTH8az0dgFexN~$v~iJ<rRznywPx({
z{ImtjMs2>H48jfb$pTUXd|#qQw-d158ETl^?5pt+>}jPRMnKtYaaOf#%UDhi!<CSU
z#Q2k8&#j=YBuNwB{h-QZfhm%}^7XIdfn8;kGFcO(`bVzC*-%d8tiI@{Ji}n4AV&st
zM7P$3;nN;uwDIr--E*U%oefObK+g2sV4U+i=Zb}5Nu9&F7zj-WO}Y2B+@z@+oWOEv
z-7jU+`z`#ku`d$aK!4Mn==ZuT5&OG2(F*J945E`?DUHXx=e{lK(rysnrul8bZq(l&
z)ko*arM_#RlE2_XU|8LcKb3{g@@9u&k|Vi(VLTE|Z9$$^_C&B}!D)IurMA+0TC`G2
z=2MlLiVr1#k}5J5Ahv-A?@}FUc;PsdUv+jMPNcbs>!V@zJ5&Cz9LCW9w}=|e#xpf4
zPGdW-_kWUW;IP_+eqyQGGevjQPw9eznZ1D9T=NAM-bBBCu7LC4)Zub&n@9xt2H7ye
zB}kwcf#{{d2?>-{eY$)9`->$<kRqgI8To1zyCUYyhwLf9@oJ&QQvSK+<e)XV;zSWf
z0i>pTYo&xZA_S=YGAFB4PhoQS!G`r#9;vd%X_ZnzcAwsI5`}ragE^LvELhh*b$|CN
zlVyVxiSKk3#U?1Ze{TBEXsNYetSyTc6_)H$6@zCGdWb#f37t3A><-!0WO_-^Y@Y5f
z=&C}qpY3+%eMFu<iP&xr<&$17F}w@jB`AWU$^VLkcRk}I?8IP%BAIyIrYD^k644E_
zT7{><W<1O{U#CZ2TQZ#Xk)R&US0>)2GqFJ<bO(%r%jVDD<oVgtmUno!u+S7^{D*Bk
zk!;Re;v=*1oW4wfi4GWCtL9eZIXV;|q%284342#c8QHLJuzgs!hryVpi;OB|Dt}c0
zo#uyK84$f$KVUjNICn7;Q+P3*oL#^Wz?$^_keHNIY~0VrszfCe#W3s2gZtv`IOobY
znN%M8m<Je?=W0Wh(v3AKgjqf9{0-8=Rn*z+P1mF904z>$iky#CWBjvau6b#_POmzE
zt!7zjH-1&mmjwrP``t=%8#mYm={5eUwO%75O)N9=o;~2Uon09Dba$70Y|^d^VXg4#
z7z?}4?zB%_@H6)hd-K>f4g7a-c$+IVYvcRFY6;y205|cC$-Ams0FrQ-n=+tBt`rxy
z@3@=e1yxK{=y$zpGkAoqLzx~QmZAOWSljb~IELt@E~Kr|_Y%Z3@941JQ8{0azGoU8
zYte4B{>e=cWq!SM?{_aKHV~JVPf5ts&m2c7TY0T4;E~P|aMs0XW~|J9%;gW$e}US7
zmF$Dcoj~OAprmxR<hX*=hRTcilqM*HGZcBIA}<hGMr`JE?yuj;Ej#%G%dSHw1icU!
zGmfpqU@-E+b*WfP>+W<reU6tV(DBvqY%@D=pjT*8)dtS1xRVA@f^U8UxG|cn6$EvI
zOYJ7Czb)v1<>#)G5=EGdT=RwZE`+b@P|-~8PuK@mOC=c^*^AiQsO-vLdJcaXg5L}6
z2E7$|<*;#LYo^ZUsv?iUMWWoP4`r_*#taI~hrrqCdU+sSeQU%gEWZ=_6lJ$+<Y6X_
z5kR;j33@nDk@_{Z-(@mlO@QshTx&XE<gC60`5L5%<z)N3bS;qSa>=q&?sI?s+8LGj
z#DPoL{qd@Y>u%$xRe=XY{^C&qGLgPcb>5M(WD=jYw2_Is(OqGjk?uh_uqHKaTNl(l
zSvJD>fEM0?Z@uCqr8f?m*l8qo&&@^w1)i(y<fr#2H`bKw<Y0z{;b!mn)M)-8)k)yJ
zxD+;oXfZNm5#ZFBNSYLDEwwj~(I^pKH|@gSopglncq1|9E!`c+hl8$|32l0X>^9H?
zY`IEfzqmaf(4(|n+I%O+y}Z)87@SbRibAaG`bY^)aXJs}R<>@PAsLE4mEU;OByu(;
z5XUq^;j63Jody%xaJeImn;9W`goofvLG5%WsQDt2`zZ$o5zPa3#ht2|)l4)ailNC}
zDCiP?uG-Nm?y8;T@p!*%PG+ROa`-l>Pf#*6sV0+%-$jy$1BN2C$KCCI{QlSj?JDTy
zTmbQtLS5gH>j8OMusqiq*Xdi;Z>hSUAi?=4h>v<;4!fP;i<4}H(G(4pb~h{|Weqnw
z7KzhkL@jfa^MI$8=QRm$<8+<IgMPidr;O)^ZTC~r>`NX{Fb-2D0LYH??4K8Bjdq0Z
z$&`IauVhh{sq6mU#qz}}fljr=S4#!IO0i;~&$K|SiqCHFEE8A$B<cG`jf56BoQE^q
zjZ-glXxvhXTDPfq#In(b5MEkqXP~Sl%XWlcE3Ebya<4SsdpbSAyR7&E*{@;0?^9sL
z@k@Ql(z%41V%>Ljt2gQu?HyFCKN*|5hyqS<7~GnyQNYN~x<Qo2_PnIf-$)u(5^vC{
zpR@yYCA@12+C^j(JBR51z1f-Q@aUcx^Wv<-|BbmB7-S??7N?<7iy7nik+IfqjVehM
zU!k|AX3km~?XQya8;suh&UP~w7g;O3wn~~QQIQ~VBu0s0gX0MZ#oI(%9%TFh)Fa=j
zDqIt(*SVlOybMPa9LGK1bga@UV-$Wt%lA;1HiC}NVfhO#@W<x23a@5pi^T*cu(d4?
zt-$>+kBe4)rir6w-rqv6o#bPW%vy0bX&=kFguBCOnT8a|=l5=>kaVt`4veIp+Z5Qj
zvlEzYV!}rA<bM-2pzeqqZ<Q}JX9mn=^$Yc$hK7bffF|JSvh19u*~OkGSj3C;@owKr
z_=UHlP!7$+_E`1Ik|0Ti#b&t#*R#2B?<iPy+0#+LsZ0o;)V%zf@ZE*aIe*R6k9?WA
zn8Nc}{NZR-h>#oY?12m7X<&~!d9h)oVwnzqPCh{PnARGYGL{&(dx7-$gl2O5KAIsF
zYm-q?B(`?QT^}vAdp90e)cQK@&F3Q78=g&4qSV@NPR*dV^XPr5co!k!zv#iaWVeod
zAhctT$9MD5Oc5f$f7`h}{?NG|o>y}?FDYO`|0IA$3vTm%MWAC(=8AO}22K>q2Hi$Y
zZ!iFe>Gl`^F81rKq~!-QHoREnB}#mF>vXmM)!W?;{EE-N<%Ue#d2@4+qV0|?aafP6
zkFoJ0&%wgHwp4p}fC&<{-eZ;CSO&j4T_U3MHDD%XU4cukNy+Qs{In-s(fBIHS6_DK
zTPuD~cUSxqar5&LwWYRC^LzVDpslVXylQHrU7oCf&T7dXAS@`*4k&%HdmD-T#|z--
z*YfXuq%Jf{yZx2C(Ns}8yHm-0CI`x5(2t26r|HORHEaw!#Ih^C(_f)@Y$k%&l{mS;
zL6yuGN~ECb?pqU$(t+=K*cTSJg%c|;<K#UJbOG204lFDS>@(E<{mDXx6;odWktAL#
zbZwhm!>VI}`y0L&YYAuW<fEv3eq=GJId37Lv~o8*=v;|bl<IMPV}`$Bp5zpb8Cvnz
z(07ghK<R?9f-m%Rt+N^Zh+nTSmoC#5Vfg$M`ptyp3S|^MUQGhIXS*>8!AE*j54$Xq
z0XdVi4VuX&=S*|=l5q2VPeipx^BdBED%_v9hi;S$Cm=qjHjym<hfzk>4strf$&w+W
zSHhfUBB|dUN!-mnR+{gWWNLN?k*u=rVNo-huMY+?p}3~u^Fhx93JQGJu-eY2rgoir
zaQ!|Vh65i*NA=1k=*q&fJ~AW$#o-q2f_>X~0&_X1FMUWIQFB}frlC>MzPLnSRQ7QE
zIf1nf`@a~T0Z60Q0pdvvsH;{)c9`s<31bnpZ&tk&`AMJ;t7p>moUj=*sc$I><Pi%$
zuOrUqsxk2#R;d_3a>6h7XU^HPFg#CAR<u4%7T}VJS!jrz$WPQ&_zMITqhD29t$c)u
zV@MMT#%78-(RllE8gDeTx^HjF+ynr%E7Mc8!)LHEN5x5}h`c%%ytv1RU=@<Mq+syb
zO~r6hJUFx+Zl6zGaz+~mDmMpA$1q0dlqB6cku6l3*6JlDK+(^crWTMqC<$T;B6Tb}
z22`t;v#fGSY@`o_HYaTur51M=xEIrb=ypAaA_)bP(NB-Z!A`^SmwYVWv+Ojxbz<2v
znI51doH8e2TqEP?HKY~zSz{{k*)rt`7bZN2-U_>M4O&RstQ~FvRIm9@W$+ki%V=o6
z+HO76#{@Xsom~SVesnE>n36~6o068-cGK;-@54l<J`N@MVf%89rLnNG7B|Z1i^?fs
zy=Canwg>dZu^i|qh!GnR%H{?W0NZUy7;+p^Gj{lJd*0EY1u);vlU?y&q65?z6i@k%
zHU0SOdhmrKOp{m)gM2L~9-&?WhyIGbP67(-`n*zgul1bfpaJ!YY&}SXL;^PfZ_vnI
zQ&-h?n(Js`ep<+0g7Vty&Uco=zn{<-D+atRbVGKDnSbuSV6I4O<9yg@1wEtm38mEo
z4pl4)4(sfnO#3(JP8%d>!5Qi}yXt6i&8vEg;?>z4NhAZupjDky2Dz0Y`s{UrG15SQ
zYW|eQ964Wgxl9zE3;B$@`nm`;0Aa1x)_6o)GG5!2Q`_c}&~A6iaeRt%NrLdYDI#wq
zfnuok{W-jw#LqVkClPIOBvDTn=f{)P`sVKD_ku-zIxi6sYgj4@hzQ*}+t@6}={3{#
z`E$IFF7Y|Wls+wcc0}y>(5R*VPmIq%gG%8QQdX}rLFd2P5h0-6MZW_Sdtxt857~ua
zcRh3;6@q7fN@({v9xY1MaEEG*_SUXokI+$ja-#Adi#(r?pyrlAp8NrR{VnZv)03qB
z?a8#Y>ruUH9lTx-TOs4Y^TRpQ#V?r-lY`lc10iOG?$K=5>j)EC0ExPf8CjFiK0~D?
zc76ED^AHFn?3)HOV(x9c=E7kbKwbzr`79&_Kh>0X8_<UVus*{^;cPufw{YgD+8%=`
z?|rsL{AEkZ<xSDnL}mn=U5|zDj~qQEL*H@-5g9W{URL6(m@QFGHV1^gS4Uv>CJK3+
zS#i%+({)W<c6U`(f18=etb1}(X`Y@|mC#J_p5K@My(OBr+)pDp>SiObCbJ`KDE@VP
z72q8~4zFd^bc+otL5Xy3+KoD+iSAZ9s`Rs?4hUY*4`1?o$Ud)5LQo^0^QRor^gj&b
zBu_Y>O>_Dsbrs?}s#LwBi}OhoNB7~loHhjCBSI{R1KePdFP|t%m1+l#**V|WG7Pk-
z4mP<NU{VVHc<B3<0&p2^ufJ~6@Or(qiyG|9LM_ohIG7`X!taf@Z7>cX(CgKAwWJ7F
zI#_4&Y=BO~Wp56rK*e~(R@Ii`#VKB0F~;<SWUI%yQFu-@ib3P(wZ`ET*oso(a^;!C
zl-1=z;^JarL|HSGz9@1orhTPQ@O=FC#zmypiwCsxGL0|Y)slK@_@vjGLDT7cnHlS@
zSp3l9Zq)~MlLt2Si@=3CRNHH!!V}*29#7sUj#42%QAJvXNKPW`_Q(xIR>CBwD86CJ
zESPs5^`||kTv3X1ESvphdq~#MPfA0+e6q3Fx|vEo<HW4-ix)uviL?H$Q2U>cg$RDo
z>H5%8;g^Q*YfPmK%elAKmajHKbg?w@JPP!AH{>tn93rn4;WkiCps)JeCXAAQ3VV3i
z)J9yQ-O2MF?-=@Agc3z+y2%s;xqhA2Wwq3N<G56dF@L3pPqswU#foEJ#6R#(ajjAB
zdjLFqbUB|R1!%Ca8#R16U#~-A)VwS_XRWMxXsxAXoipil>$b9dzG@Pyzqept?M-Rz
z|2XboNxWEdiU5c@E1va`3DenuGG-c+ielmuPa=cwnIgI|%<_$wr+oedE<0`Gu*-&}
z%||Ypl_reM&&#|Q>2SnZi*M)>m?Piid^a438`B2B8oj)$6$l8^Q76tO<tDcHg;>LD
zMXlBP&8*<ktm~C$&+o7ONCBf+fG?GOvVU@}0{963@3f5v<H7S)`?7?*_MgcnvSo#x
zgnA{_eOg6EwX8yO7A%|nC?8q<_*X8B+Qs8$QLU=+H0`-vQSY`EtV{tJ4?&onenJ9?
z_b?nhY9emp8U|Wq`Lr<i6Ci++2eekPnl;{zG4^`(Cb-&kQzcqze8fUm_r&fw&gWYb
zL5pH`$KV;|?1*^W*vtKeek8F;(uX&E2&A7Dq^MFQ0ZEPo`WUDuG`sJ4FzcYWLDlCw
z-qgfIu6BMHq3Oikr+&-Xkl#m?$A^KkDvLRrq?2pWhRf-;i(jMLg~lUcVs<o2MPdUr
z7XUHTR{;$*Tk*Y_uca#|Q^^YQrlwg^-&kUMg$9urlN$fA&4iTk@}QdT7@QZ(*c4I2
zqV$d1Ra3Z^;bC*@OEMKL+q+N7F4zG-?qj#@nrD4)y$+hMk<qz}4TG-_W2?Y3-`($a
zaek{_Noz=6Geyyr*?K9eZKpdj4yE$@G}s@DZR=XoJhHnt%}{yZV6)b5T0RjCrm`nL
zB|ZSEk_i&Ct{nGwPNN}AVlB&UP7y`6buHb<d&=k7V3Ui0^wApxOap;(O9|yhFHF8i
zlF+9c6%-uK?`NDFV}zW#a-n$6%gw4EeT9j&8|~vp?U-6_qQ2>_8p5w6=FcV128*O;
zqZ~F>T&`H@ngXWXoQqDFVD)4f0Ay_Itf6u`ve~?ce!NModkkw#n6yV<bNrR7*D>4e
z^z|!4)wftNPl#tE1Zqs;usV2=$41VsIk&{#Lq_^Xwq)ZOkznL7xaaRO#6X5RW>0e}
z`SnUHkxBVib=$_@MDM?@1Y&~N`LWi1h|&6W8Ue}c@Dq`JF!7lRs9SJwj-vtDD_MXz
zRl1IzZxmkoP7rY;lPcXM&Z;F{fq}~cTR1S5$5f>TA9b@5e>z*+#l?!Xk!S4H9fFJX
zYQL1u`&Bp-$z`Y7{sB0rx~ixS2WFUpNKWsG+4Ir99s<GLsR<?Ov$u3ls<EoG0e|6h
zQL$Cemsk1tmUZ8WR!`*Mk?fc2w-q5v*I9s|aDdy9EFkOdJY2WXxNQ02-U>46hodcf
zf6!dJ(|LOn70i?uK=gomOf`|}_!=9P=<)6=m%^3k%l6@P54k*8?jbIVi3jT);)oA|
z%91}4`^*zH^)N(#0thDnuw<`?@y5;9>`V3#xxP+y@79>CG?dY7utRXWovNLzb_LS3
zH6}`;B|(6_C`-8?J38$l%E}Jo^Oh3S-nBvLyX?zPw^1(&t1{SCb~&6{lO5dYOGA6k
zf;)mFccidK*ni-O)@^V&q}88u3vb@3X>%Ma*JGM+zd!8p%}hqnu`OpiohC`^!6>d@
zErctyjXz>bSO@|1ZZm2O2^P(s%f_fwtohF(jTg(IXCFC#o#cp#WJq^-qDGWt+<QJ=
z$Io+=XdybA((+>LE#!yC6oxD`xual~&JDb7V##XJX{LAaLeRo_*#CBgSA|6Q_2Sg-
zsowY`!PbN{x{cUn$JA^kle>*~cw&TaU^!(kupyhfbCv`JD!wBP+juBV&eht9+Nt{1
zVsPdYB<*U>*h42CjG?jWJz1cne|Oy#KmK!sk7Awg@Pc)>mmD=;4xe+Z^E+mu(<Q9T
zhy3~K=21&L2P81MHv?TG`qb*W;Ebh|tok)Z&2o}8$Ab5IhAxD^{`s2#hhsLt>5Ddj
zoX<N*`=g=~Z>r)nYfZa4W1i1a9MIW!3#Hf|rZ{~^r+*qNP$F!y6mC=9-FfI%N(`dF
zw7+4VxfLUi_=3WHAbEE%5x()3e{+&G*L??RBnpQG$>GB`By^40!Nl<$v8!>KJxVjr
zgJE|qYrsd|U=#s(^Qpay1uMw;^=C4fO_7)<x3O0?7Np@%r%P)eY|-5cCN`W;3WbJ}
zIBCB8n8vZ>e|PG(Gn>f}es0_L1msCExAog;yt{%=E$duD!YgouPM#b1+iVfX^bRMF
zVu(D;iaJQ=8Vn-By>55AZz=JrSJAp`Z)Tsp?=I$2d+u404Q&(wDXS=4Qy}T$;>&B-
z&L3KqM55_#SAJ+y99F~m=?NAb`dbA3ri&?kzUMo#lw@Dz$u3dx=?`<@cf!SJ{KKs*
ztF|bn;<IGTzx;*4{RRC<6?vc){SwUy|1WX}kX6h4x4z7V#w^g~fL^_V&1f**Zd?2M
z)Td_QX6R6r6slenpEG?BCP_`#BN(9JwC>K%uenskSwM<k!qbi>!p1#&yX!;=Ap!@k
zsPtcW)qR^@)(WHuIux~$Ld>R$<=M@rGi09Ki1www2&01tI`G@*{cBU~;dNHVEO+CK
zJg5Kho@qrZXn<c`{BFx6$xPyIU|=*l<OAF9>2Z4t*PfpIga`2O9g9M0I$!G}I7hJy
z!3!L}C|>Ev2|Vq*yt_&++ZX{i%9K6sPK1L<oS=oE>m3*CPGcbM6rr~l9n7RqJaDhy
z3Le|MEn82x@VdA&?=akVU+i>SvhJ|2<WS@d<NI}j=Dfp&{&<r;W-+p3%^Kk$aJ!+x
z12Ap5gXB6uKS$qKA<h-)>t);c7^Vcy=$88{^M<4OAAYZYp({19``7ID5#dVM23BT=
z^C-`gd`n6`0^}-JIya0ZIu!}c9P*ecOLrMfrP;v2N-TiT9n0;mFMzZngn3QUu!<iZ
zV<3Jodg)eHK$%`1bf~IX>4dQK?I&mYHEO*=a<9Yuq!gP$?@PO3ZsP$>6ri+vUz%LJ
zMULv{42fKN=&gF?34E2u^J4+%nY3he)Lc^ihZl8q2>)r*`4xPU0N5t79<r6R?<;D1
z-0T?qAdZ6W=PLq7lpP@+b`z53I?Wq5U93T8DEs)ij2HhMYPh&0<l!vag5ud$PvBE;
z;`3v;Z^%awuNEIMq5Ys#l}Vc{-cvubO?Vc*B|-1Id~UY0l9^oY=`P7u%p8ERbny&J
zW{;<Q;+O9~Jr!^zg@%IPaE$PXK>PI?;ZV@V<phKpSep$;{7tZ*N&$~a>yhhMVD|3Q
z{c-kmiB>=#1OA)}AP|={Pw2#o5&T3pFL=H^wED!)Bp_s?j-$_5;oyD|31`~+HGgzN
z3bQ@SBkWNHUXXfJA7O)sf|1>HI*H%wPzD}(tB+)n*}#x<5jLj=K=#uRbjX1~zkEe2
zl1}o>cebN%*S(uB_5EqMYVG~=&~gqeN`ppw&Z|fHi^E#Z&|8D5RiCdr*Cmp0H9sfF
zS06PyQGFcWX4~(0Ui}DE-o&YP`vV~U$App43k|CGBiDBUC8PAe``KG)Lmxp?tHfBj
z<IUXMUTP6uvHt#n2#h-~Idn@QZ1eB<J5GX7Wgt{OYt&TdD?hv2H#63fzWastKd|+j
zcNUdft*-pB2I_A0r<*pblK6KG&Xd>b3QIYkI*|2;0(Hh{8BP>m<Pcn!SgK}(w_~wT
zsw&!{wu`cx=bUyB@xiqD_?xNbJIL*gwy-x}%){9MGpEvX1-=mytbDy+Td{7sH;HRE
z3U#jtxa(z}N~+xd&Emb@qK^igpSZA?tjgIveC_$Z9Y;Y>X|gxDTb0;h%x=0E*qmFH
zSE}8h2!MK<1c#;M5pd2Mmoqx(3RHk-Dc|{=Us*bMYv@+bo$iWyJiNow(0_)QgpmJY
z6-_6;*a#W})7=@Ijj)lSAC4;sxM602x}Su8CKgo0G~cwUAU7S@?Ji2Sdw3CKIP74j
zeK8tI6N5Zm;Sc??mKosoeZx0YWj+%J)O2v}4T2-fMaO`Kj<Y4TufJF^z}fTywde`o
ze`6zCE>1=?X;n;4_`(VK-(}5ijQg=P^!1wV4}Nmm>!Gs2*EiT05*ZpAc5S?pJcNqe
zNNYUKL1OxR#_B3>stAFKmN5$^jrghp5XTop(YfUjMQTi1@R;SO`b1nO;ye#09bCl|
zD{NLr-!vO63Vj94N7U{1r$alOFVQ~m5FMo0{X(DzMN)pHE^t2IM%n@_NV41jqppKO
z!*`gz%3K>}6O?kf41rAWFRvedj+Dn|+IAuhf(Y`kZI`NLjCs7JG)T%W=5wh6vgI=6
zQ+cF$2e0$>yW#ubYCfVm+bu#oJY2R@9dTX1XjqlvvG->xWiMw|U9cru72~=wm&=cc
zylawPLp7bzcAXdjeWMV~*kv`6bYk&US|}N@teQ!41^B$^oylkgG-!eYv2pI5_MSU6
zU3Y27^C_>ZoTexMQ-5x936cdwoPH*-i}U^n;N^;h=!pnH2XD9^Qqh!SDfPB~%#+2Y
zn0up{FE0-l@_VmeAU2+VY64Ov8`&DG@ba%|gi#2a3VdrYr@g-VL{1ViJg|euj=JHQ
zUp*cv^gL%+>di*@uOsrLi=ozteDeW#L52^9Aq5l+yTUWdy==#?dr^1)w6Jn}-vUS2
zyX+&+eftiDhSP7`hTmgkevGl%1>wppfaqr{Qd;6F>F$iKM|R;v-q<&R?h}6V>0%l$
zlF4|H8AHQ2Px7Mp`BT7#Sr;D<^nCsyJ}c$!_HGg}D(O0?9YWXj1KLHpHLKsu5n9-k
z@?TSp4^Uoa4`_P$meZ~>X<10b&o9nz8Q_}igKMoOZpql@v-(%2ul~ud9T;IYQrbA3
zm2W6N;JGH3+jbALKXc4?3JJEjcC~nRA!gx);MZ6pP8VW`87?UoqKBWmC$_s?yun`k
zQf8H(_J+&?hR9CRoA0@;6P#&d<&j*hRSWiNDLGJr^;n>Wd}iIWnjh4A`H>|v=MDP?
zGu)1dmAtF8;~<qqXK2@AlRb<7flIZp{`WG_Y;r&3M{qoSHdXq!q@xydX4jW^!mbBn
z;efb_Qjfu!mDpwn6LtKA(_+?|=eg;p>0OA%WR2X9g3OLA4VdPWgP)Ndyo+B)IwnbY
zqf46(vIL>gHcnu#FMW=3iL@6cx^U9u%xAzEJ!wulMDp4;W84IHq(F9Bns-m+<c(N^
zH7ekGxfuYrRQMq{uZo^CoXG8gTeHrDJJn@8ax#HfcsPYUVA<K@HF%IIBj5;MawwT2
zj|uYRmFBed!DYisD`#n|^28bo8Ro~I;`Lp$R&I9gdc4h2b*k;DgJMmaG-ME4acAJ_
zV%SD$07rQ(HXpOxy0rrQS~fyuDMA0EVRGjW1cZ7rP2LjQT6ZmLVjJ5hqk5de%zTpL
z<DcrhI`?f_h`lJLraHZ}9?2y9Bw|iPuY<2M9q#Uh>sUuz^^o7tTypewJH_7GV=+e}
zse3B=-cD}B+g=MDDP;xrH)^>h9L0AuFeUa01l2FVI@hAsG8XU^41zHMOE892?xjIn
zm=SiK+KL)Kf)=8RZzD?rV<<hZ`URaPHu~$FOTrEDWg4Rls)$ym=*k-WJL>p*v~eW4
z8jqG5{rIs8`4hGQ-AC$?o`Qz`Ppwg6kOxI4&*b)bh2PyCdUqjDmBP}sJ5|wp0YAO7
z2Nqg$Es+=S8|U?_;a{UScq&~&?T#NhXOf*h`r#;VG{lcge7mG`=G(<!p*rV|KBYkM
zh}7^uSH|+6rc=?0n0}LX{4g>ke4l2k3C5oOm~dL_qoh-!r829aHxOkT=Kms<qLvfk
z@5Wb91n;Y3e9CySj%)D1@N3Mn@*k`<mJo_BMSi>XrOJ));xKNk8^_R7e~{pbBU4>f
zW!QU*+Sfm<Es|`5tLYahp;$7v!Cy7JlYL0)*!oQcec)F5t*+!FYO|j2SBwjQ{px}8
z2F|x!w+=lVKYrGm&Hkv~cr2I+dHV#v#1AH>8!}cvr+qdmy9p;%!6zxCTS`FmF7ISW
zGbGoOc+}8nGM81JH%_ile59EzYGv_Rr61qGc<fpG8>1_<nOKL8TfmX)i7DRcFqQ1G
zncVe?Ge5ij87hXInlTxAxA|{<=6`@KY7h*@S9|p5ov#Aj#6&Io^Dov?%_<$SQ+_sA
z`_>wHrhsl2yiYQ6;Hr>a3Yd7DkuxrfCah#wFr8LO0i)O%0SIB&{HZ<lyjNh>;RARy
zKdz8aT}4o!*9a2I0!u^;n3x*)<hWF!EI45t0JcLxsuDR@<?khjL6n1}2QP2oe4VSM
zHdP^4p)L^~Sey}V4{oRE<U^mhu_Qqu+;$nE3n<Qqn3ra}^Yw1#Kr#8D64CC+RPNm<
z_L;hEJL6!<p2MZ!u-rV80iX7A6ImHgbu+xLz+#0EN{?98vDbn^guqmZ{j6}=RraNj
zmRjw!)zU{N`n?1YP*zF#%-3c0I%mRpTbD%V8%dd4LCRh$wz*>oT>a~wH-JFPFH};K
z39#FN$SoiHN<4ixwkVY!IQ|BY^;pxe-ox}^V`Hk&*HZg7gQZrW?L2nz0Y+kG@L#hq
zT0-cr&M)S%&R)P+p*R(o?*~b9t{9d7&7%$s;Co$4X0uAvg;Z4^INg2hi-JBcQODxd
zQys+9EaDvVE50#Xz0_6@|HMb+SyMSf-124!^=-}B&>mPerSO5s^93qKd0VI*8bj?#
zM~YnXNnFKsYqy(-jv>E-pwz|LK-svnEUdDEVD4p{&(o<9E56X~gD1JN_abGS%olDx
z_|ti?IP2VugOjc8<6US~P>0uKkw$a}YO4rFQ#j>-);^tDX%@TrjFj_7BiQRiT2boH
zo&l(5FT5`$T(z|CD@*=d3>p*kH=cD{<*ADo8$Hna$R&$8v^#n&kkH0(TYlxH!%u`s
zYTCJD`QY`6m*8KK0owBlrWT^fgsIZ{#2-hc&%XBv9Mb8$Uf(6x(Wpi^?4KxYcNZ!T
zp4qF658!|M?EMO9cX|Q#C+A4$#o;wbDcgVUqURVgj-%@?21is5DTX}mn-=#S*R3-)
zoDVM)f&(ls=BS7jlQ~MnKE9s<7st^FoYn+?fb@Ofhgk*hg@cA(Dy|Lkfao)eRg|fX
zxc@Hx*<CdF+mkLo=e~iLPPUSBaqn=DmUAEE1LBeY52qp>Ciq6XtBbifO097dR9#Wh
z?sGVvya`_)2v}$h5F&6+T>3ZE_!di~%u8>l*ya^)uOXN$KluF;Gd|y9=n{4^U69n;
z>0Fo;daMVNz@b9ZQXPK&F{^q*$r3<m<aPkgFtU%kT(0s5EGWB^_mT0Z^9i0_8odpc
z`2@X&utDawKYO@x_J;&&4FlYahc|eKiw>s-^L6EOb-C9bv_G1<+QsI9ovUf+zI_=}
zDS97k^CUB&Mz23hlo(W5m~|KG`)2xAxoQ6-&Bb^ylW!OHV5$(nBeD^edw9^;_JP!+
z*Y`to8vs+Y9QW=?h@l%J?}O6(*SMP0EAxd^Oelh2UP`~=?aZOD-Hxh%P1%4!DGI=2
z!JdX?f|{!7emuQ3kn8*taQ?&{PMDJvn(jug_d&72yN0JuvR30h)Y&vU{yhDYuH%Wu
zY4U*l>5BqvW?*YBo9O-PJq2*v^zpO@5=894YJE<PugYuwFv?YNt47Txav}eJ2&8|^
zNn1q(XNK+fr*mZ(n?JQjvxCPI?k@LbTo0@Bi%VkP<s_^ry}%GYC3K(FBOohgfY>Se
zuyB22irR}I{GamzpgH(GaxY&&644j5n}pB4Z@qE<Q@G+u8c_frGYxji3hOywfhmH8
zR==jecxBX+QN(m~NRWNW9I^?^XCRo<b`{}+8bjW8nS*(3(K(*KXJ@$7G`-JJFzkBs
zd4@hH@{gk`#w#dZPKtin1VUg2(Fmcm^^a@zODD5k9Z!F$G`n0ffA3LvIyLA071&V^
z@8Kt9j~%Bzj5b>VA2Xz(c8pzD6BlZvmi>QbqJa9h=dh}hxF+P!9){}m;0-<BO{%%7
zO-8|8e}>#j&+(fh4EAj4(=>!rZ*RR2=NAqjExV^+`)T%fVf=IB3ZUUh>`Ez{2wsF|
zIml%M&T@>Qzi^{kR!idRS3o<Z`droh3h_l(&|lglgM}3B>{d5XmP6~GY?AgRbl@9E
zEa;ulH$&!G3pU{I`$Ih!p<=>MxXRV4-hGN?#(fa~s9K5t_{Oj4()@p5pZ{2B5I|er
zd_t!B^mST&#9uH3UbNXEOcPfhj<kYB^^I=N0;x7GcsXoMQ|0gI1H*pHCJ}2a)*_%5
zZc04OwuVS~N<aSJpH@tRUu9?ppP?VUaTSwk|9}uZH`k0#F({fq`e&j2SA+>vEqQx7
z-_J==HWVRa;#_BL7?8&m(ASWK-@od@Z}_4kfSvfOgtjJ!W&Tq|pvLi^ZwtnXlQ5zR
zY9&0Vv|0)YL07Vi#R@Q5SpRwdpI`s~eNi=o;e+G$v$R39jdf8sYWfp?e-{UO!FP(i
zfZmk|1U={l=LqtZ{C~(RFEn_~pC1ioOJKaaW&f52|MP(V_r(DNW>Iba@YQvy!8kbK
z&!}4EzXR37SQjSmc!-W{Xc}?=hm$|={T}K&6zJ2kdyJkd>bOqUVo}ZBZhgm?HLckH
z9o_$a9!r8`2V1aH<}~n4*CnN_lwlROUMs7}pC`tvDB$<KT3lO5Y8UJH6XLqi%UQ*~
z$`=0)Bo6e@@1Kr3scZDXmsL~|G@I`~?RWeMFa=-WXA_%(<O-1gp$$ls{^L^2L21r^
zYf_Rm)io*Bh4|`y3hgx6{?eas0e&-RURY&TTBNG01nM*Y8Lp}nOjL9fb>Tb*;D2eP
zNB(02=$1gs1g!H9XUSSZs{`dh;U!K80aapp-Z`R`6hb8LS^vEVX<tET23lHlGozwE
z^MJ+)Jxnvx*PYWH%`{K@OJ^)7;UYQW&%3|x;dkHP6P+yOr1~yAxM-C%8`yGa{)s^9
z=#o<MVIL+p{__`r?IIbyGN#*HLntyE#^{v-#Ppv9`hQ;v+TksFy7-e^%BZj_U7IRj
zG?9IT>7|rb0w!IloR#<A@zMqgQp3Fc2v3p!&YcG;9A#=Y*@xoq`uQCL`vV0n_FJSm
zSv1nRYs6peQtByNP*R1|8wLKohC29n<5}(11AlHC;72T$VQ0LOg|i}dEuH^f4~>y0
z!T0^Z>%UK+SC9}%Dca{knysPCFL|at*O~_3_m4iG?yNWt38gYJFE#axn(fC=xy7ob
zmJ(Hq?Jsg@=AX@)C3@`l!}OWDDe^MdE)+I-AZf_)FfLus6zVwss667Tmff@?UXbLe
zW{e`5Y`l84>mQO#c9{!aash8&Wg5=j&BL(UcQIJ~H@K8H!|wnsrS=L54qr+n3sNP+
zu;kjv7HF9Mi9PSIpdBa`3U-<G|CzEPM(BmF{S5Vm<ZA{$7!x@DwJ8Nq-+p*sc)|YH
z1^pt`6}RZE#Xnf{$@b^Tc<DD*9N*O2Tk05k_bYBQ&A2U@xh|R2TWS+(=4pX3f5=9p
z>?x);*c(1NgE6b@7w-3~han&8qxwG#FTqwL&`xk@;+X0V_|(i#0~X+B%@Bfnd2L~5
zL-@+6{{IZC-~wLsi^0b;FR`~DKY#tK*A?QCoN^;fCA|HOdb-ZREL97ZG$wlxB1Ras
zAaB@|)ULoV1J;upyLz&LFcdi62fr(OEGX_T6kwQf`)!^ZuC-Z}+HYQO`FLkfd^yh{
zIbFtNq6;Kgk#?|`+2AThNr*1&-J{JD%Ots})_>g3`^{s`!)vAl?17umk}T2ep*v7M
zB|sKy>deNyBXJh4a&N!S-`ATyPbt|xm3>RX&7k5s>EMCS5YTkBZ>dzu^KdJ9PaR%O
z+-o-O4w#rr-ez!U`j>>Y4VfoeF7a%TQ^d|NY_J_$l2^~zguFrkN7z|thOs~dN+xW2
zO~zRqgLypgOTs4^3qB3l;TzEHdD~@w0-p>BF3SNYXKlA9zP-n@dGY<K(5v<N68rgX
z-2fX88^bDj`+aw|#0(yA0GLg?v{_H%V;zGsxmv~l?58AS=%a?-#`!<D4KUqa|6fQ{
z2)=U@idxbu_Ja<L;8P#dtn`oR&57;@h7EqtqNert19Y6w@C@p#{C+HEc}mhY?DPFN
zT2ER(VqJZC(=WAZEMr&R_=d~=I*I&UhDxG@b^;oc#%ipY2;=ha0?E8d`~1?K_!e$l
z-sz11zR|xsgdz*{0#LWxIa4wfME?%svyxIJurB{Rw5l{P{l5;hR0Dt!|G+Zgc>8xj
z&zhn!qYCm4sp1e)AE}irs0*IQmtkTkj%fm(dbF@!vF7JARzs9#IuPvKd<s_QoG%CE
zIs>p?-V9o%bkUy5QPDJs=~fGNamc0rv5+GpApx;;d6-%smpYlk5N@hBeeaw3F>OIF
z-FmfRVuw7#6I1UqZZk_Hqy3KC18@;9bf3XyK&6cqe?V8wcN6R$x?d38S1}~t9ksF0
zPAM<zn<{fIQE99$nf}qNiR!E-zW*T{@Tjjl{Dcc(jP3Zi0M}QLa&;U(<uZi{=8F(g
z#<eOld8WSixGIHaF3P?|J&lM!TO^bYZ4i_R6<#QtY*xIEYxrjWxOc<|_^BY;TNMsK
zq+glUxsv!gt%4xVobk=^j_84l6h9-hl2cP34_h1++&TBJaybf%ldtoA=FNDk@tqG>
z7$$5ORB&V9VlxS#?9C(;@zD`)fZhNDqoVe3Y~j?(^?L`R<h7{afHM<QkJK&n#)c{a
z!&1hWMxlK+aqX(AnhBRqcuV53{!h47O59-LlGmF;LSXnJ+kq<LF7X9ZZiDQ(Jg{o|
zLQN3|t(rD(?1cIz`?L-4opj4YHGFO>YNV*I1J$W}VmcFn>~$^?S2MQ@FnxmYbldS`
zEokP1UtnrMWjU20boqx$c|29x_6-jl{_|cBDxZ|aO&`|ZApPBpM?K-WRyO4;#bN8>
zVWv0=Vy&y^@x)1pz?N?figErtEg2eQia)5Z%}+Vfo_+W*ZiDlUzH2X{;GM&TgKXos
zRB#(Lq<-m^@3ND9@uePVXt$4A1unlS*<nA@Ux2f&az20h-cYIZjCQ}j&fctcPq^6d
zN!_rBRt@)1?L4qLRck9xDI74$-qZna%s$x9FEgmQY38k~xs83PO@)L`XEI!vxhdB7
zlT5pSeOO?shX!8lPw><-jQgo4%gXLgy^o$T60Spyt>qFxAFaknpH80g7gQ0+xFv{u
zYdUIzpZqx~Dn*jw;f&cMRN@7qtKMstnnDH;{=dyR(5&Elks0}(PnsD$T78IH1{nUW
zxA7NzNse}zhWqBskI*7QRia-t7U|=c+`m)!8NL$^x*Dh>h>OLnv1^mLjoHv-4@G55
zij1W@3ofim=>s)QMYX_mh?T+0nHO&cJ{nps%c)IKN{08(hz972pX2>ttR*g)P&Z^N
ztAKnuf0|{|ow&<z(9HWPXIEcoIlnTUuBH)cu6f+wXj)aqNc=AQu>l+jON#uC#ObA3
zd@AMs&!7d)5Be2<wqZpCuaoP5dqWkeqBX>mUuc;hjPMMrWOFMkm815}uM&*jk)Yz=
z18Mhvv%W8gUZakjfuQdX^z<||kx|jnhIGucg)4{e4S(YPr>Vfd;pTr@dJSQFp#@Vt
zxa3HakWfUiW0on$f8Zd3c4|{?UGP{_Gnalc<uflf79qiaYRc{snPl%WoJ85}H5=%n
zfllao>-<cV51%v#%%dVJOjZi`%gF%Div9QRQV*#;%STbuVjzjVz6lWQZTm%LmLcAK
zQHMsY&V=P_AwT7Nv1a@#odH$(^RbN&^7ksvon!r~;tOU1k~)_pR|^G(f#}}z*{_8b
zU@r?V13v_GQzIdk>P+6BTjG19CQE375oxdEh05rT749!h-R!RfhgUw{+kmYvNlL(M
z({~vhmVkr(LZN);n8o!%5%>dStGXG&<e{^f9c$j)U7C_S?b1mNtow*C%3vPOn@w*!
zA)QS&2YVBq0>%Q_O>}eqFTN&DuGNueJUVI;9}J81-SlU~cdYL}qzYaANa?QwR}V5}
zJBNN4CN^&dg;56BK<LllgHq#zABqb@!gMc9b&H0E8cqKnS7#XzRk!|aIz+mpL8L^w
zdkE<g1e6Zxk{&?18$`Mrq-*Gs2I+1jq;p_sc(><&o;dF(U>Js(wb#1$o!77Ys^6Pr
z3%8Dn4`%gJYz1bwm@w%$6D8OyaiCgwsU1?Y?>|L3(sPF$?;ClcPVrguzrKti+B7~w
z&dJ%3!A^q0%QtAn(Qm?kzO9Q2QA|&x!p2F9`fKxoglT{Q7y%U?D+`edri&Xn%(UbW
zk<`BK@kh%)RIp5X*txoKRFS}O728L9Z~i_KWZ|GP{aOz;+%ry&cdbwBrnz2F+g%$S
z&%f=(G4APVNsy?(54T3-zaH$wu`onRuUxxqadRc$uG+g?rGT^i(Ov3xUxxVCbF#x|
zRGG0sN;ZeQ<bOT(C;m>QK>)w5^NtxdCN0x`&aAn*G>9PuY3UUlyAFi&bt$C&6`Z}}
zsa;sjd{VgLq13|hiBS27_|k6NgGF6nL?&KK;7DZ~SB6=g#J2Q?+I=Qq-aappMjFj3
zh7-w_Y`SQcR+EA>?+s(4$GelU7TbFlJ4(xXrs8D-l(vdiv7@=7%b5j4;I4HvT;DYl
zPzRa#a1gNAXbM#NiUe_GYFF$_AsP><bFjzud-sGG&5BFX7Dqen1Kd1vaa)jJ>YM%L
z^(2f*WcP%r`I(%(?B;CF1evnSP~6;KM>Enx2Vgx4jf9fu%P2jvobDqn7nFrc$Jd*X
z8P1N#-#nTEK4q7W{HZ|Jzh;1z(N&-Iyta^2(0iuHtAv;Dq_BRK>drJ)X54#uzBKIK
zd8x%xOMX~`Z=V38Try?WnqufX#^S2=FiYFh3{S1cKdV}7j${S(!cw=QGhqJZL202h
z)1NoOLy<Q4cY!DvRQ_j(#A;=fw1*1;>`|c7vEfc`<{2;DnP_pZ!gefjx$Sx%(<g0+
z#!ZKmI!D4gE5kgt_geHdOP$5ong39|;->tN1hQRQ;RA<M{m(3{lCa`A&ZrfLxarIc
zYW)OfRDg3ffUBKaRNl-MZ1|}pW1YuITAD5fo4bQnw04Y+XeC8!Vn2wxh?`chJi6M6
zYU?xzr?PfLik-kVRb;02*xZ&hiq>ook}h{Nc(t2mtq+HqEX!rc-&4N-4VkDj7|psG
zep?!%tE#7(vhTbEXiF?6lq&<WIhIim9<vN5a|OULG<R`#BcG{1J5Y0v0#*|^<JvK;
zg%8z3D7~-A-WQp^&f^$bsS`V?R2Q*3Omcvx&dvib&@ie59CVgB{^HRDr-M?3Qst=9
z_=bNi@c#y4>`0_!ewXxcy|=^P`cP(X0r3exOptF@)uQAqW+$6;Dm?>TFiZ7GBs)PO
zJCZRRe7aHE*t>;RX)?s&Va5Odwf<|l_euSNJtF<Q54)W8#xnQ*PCY;OLy-dVRo@ph
zF!Q$rBg76(<q=2K$Xy7l3s5TYKe9P|>PR7_MVns?iwm1)=jyo|3ofae{f}9&VMlOf
zsp-N=Mfhi{{QJLWJK(abDLdbvt#_Y>MaRtiZ52kI`)Rww$s5^Y9n8|5C$dT(T9_T=
zOLyx5@R&0ntkqK9)_WCM3tXqUOlken31{949F?ytwcN)9AO7S=#=qfO<bF%mer~PD
z@+s|HzN-44efU4OpR?f3+m*>Yjb8kn;-+VD*M4-Aw$W71BWi!WU+QC=VnTSdz-TmV
zHU~aku0~OuPK7#``?!=$MUs-%Z54~SZwZwJt^R7SS#+4CvTt`=AcAu>8CAse^z+6Q
zEMG8R$E30U?IeMsa61v%z6|R8dlml5G5$#(_!S0qqAVZhSsp$pHd!jgME%|U16)T`
zKW$uJ<9?gkSDH9*IrKaNam{sdMUiz|@@DnJ+6obl7?#_qc=Dg@K~W^9%Is0LL2bPS
z+wXt&<oDGVb4-LjwA<Pl`$T`Q#pwYdEj=p}%rE=HU){%oH-dj#T&j!r&X(k_5B~2r
z_2<qWN{cjm(o`*jIB6ukANsRIak(c>GJ>pjMD?G)D5gTf6Rvmg_EQ&|PoA~H=^XZo
zwe)cL`8?j|97Dl!a7aSCH;@VpC$B7@eSE}KEP25FgUG0Pl3SV>a7^g-m&JVA(%dc^
zEeARmR0OWp3N^y#r+Aq)T9K}|?{8HN5+Z@yto2fAoz}<QP<jImcMTWsmN)ij+yn>(
z+lqC}ESpZ^?vgH+4}S)5qHscC<?r(PI9RuEu}iro)8RBjVrTxhz3cD&#u3<wB0O}O
zYUk_!!XMZ^^ul$WXWD-_tN(q<`!HX3xbJwBrDa%tqlY&P0vvwwDTiG4d!*Xxy7Wq)
zM^Xm1Gqj7;4}KC@Wo1ZPhYuC|9#mgyk_>>}AT>F9YoYFdbYHpLs$m6EAPwvu2-nSc
zlsxzH)kPxFB64gVAtsOeR;f2Eg`|S-Oglm^ZKD#by({tA<?VqMQU-QC$@w<T34?YN
z2a3DIgzeyatZHkab3xG#tk^0E$?sc6Oxk3-rL2u6mCCc_AuH`hEi?7<p0%o_^z`H=
zXof6?Q7`q^cnD1-Ii3E*gTHaBYL$Mf#F1G1_3{2*i2pmba0swvFk)wI;eUSo&o9Tf
z{+RF2gMq~K8X=Q4j`Wtk+!Ov^@$gHDAdB=7aGKB1gcn%inYikX=I%|A>zb<~2SF@9
zK4m!4Baaxo1MQWpLUaTak%r7uzI`K_E^=a4PEyksXL1>mBhJN|oozL>E)Hz?E&qvL
zP6kH$EhY01*Bcz>uUq$~GC5l-jJw%!sZPG&Fp_{C3a&~@D9_uz>77J9R8o-3r92En
zqm00*(J53Nu8?~_<dvhci}(({Cj(1Sdq{CdlJ)|NBP&c{7#iLa5DR0LPsgrPGUmm-
zg*!8sv%{@7zpLJUQ7mV=JoZ(i_x*b{A_&C@$M3`vx#?&TJU`i>F5@r5S|K(&!V*ak
zmJ(BKJQf`dsiqscW#Zv8@;c*tp{@Kuexh?t>lb{fAp1F27A6t8xJ1W}(r5BNJ~6)g
zFe1ZL8}3_xSNt6}$;z;^2(7xD{(NQ-Ok1fuwEy2EwpEO;$m`9@H-8(7|FKfQRls3G
zTNiC#J>Jfl&y?;TR$~|Xr&T%I3P}PfJ5_Ia9a*fkxGo#Xs!KTBqh<B`qFHGaE)r*Q
ztUnx{iubz`9I<7d9R1Hk6^!|B0KP@Sw-7lx>b_T8-T6H6uAp>rxSXIQVnCL!%sfPq
z9xEuZX!`3`?WDQ|Z1T%%CKlqCn3{H1t|Zgpmok9_Uu$j@kKt2L@_Ayza13c7^xX!Q
z8`}01PBiBti{_jk8NV*02pK*d(%neZg-IhwP?0DOz{8_%s@KFh55Ycte&QnDR;P*g
zrPdjJMP~DMwn<3=x8z!uK&Luk5s&_!dVM}%RI|*44&S$x6YoTRPtnf!19+)kP5Yzv
z%PpqZut1#NzHbS{;a`-*d{shbOWuFb9fbm1_Fto=2H3yh@{6YPrH;8io(AI=q-JQ`
zF9K%bKl@nq32ptk-b_l{BTI1yB_K2B7<OuVForZ`^RKf2N~eXZao)X>brAh}%}q7t
zJO5NK^1(8D4{;T3BJ+wTmV{?tdRCg2D*Y@_D+<Jub1gxA(b;sIB{bL8ca1Px_P6vf
zV9<dytdSpCMylRcD1i@Bo1&$B=lq9UTHhvAKe`}vCN%5hd&D28LIq(Th+`4a(YB~B
zL7S_2^p1!&-8@MRSj=V;*a#530Ah+*yIB3^8d(UIg1nWuUNR%18m2Hx4knr;#r!bV
zfLNoJ!B5K1=g$<jXwX|ve08Uz8z^;pk?3OW9@AUCwmmDrZ$&QubOMU_$am-$b(%aS
zz#uswcKQtITnQfE5cF*S$5MKZL0wQowgvnqvN%>?A%Pw0M;p(?p}^b<8zE;GL(kvr
ze&|b1U3n@+<T3ZPR!U(w=IakdE@t0tQczT+f)rD=2VKUecq8Pbmg(tI!W2%w_BgG7
zjRfghy<5jEsX8L<)A+&ao{hMdin2V=EvZ(N{wlTFqCQ0ID(LJ6vCjWKp!#w@nF;Lw
zneGSA$z-MGBI>2q$8q`pdMF#nejZ|#S~Gr?SaX;}|9$YkUtZ&U4nsbsMQUi3SX8?V
z0}122+jqLhED>6rbu+1q0(Y0v%zeF_sX}|-ULYfP5i)T)elnvuAZ3eNpKH|rp>%a)
z;<q;Dc;LT|6)##Kui|$ld=<!sS_#ay{OuQ7-vc=udC)BgE~Vi6CEQ0G<0{((veR>0
zN_&dL;ZNxsll2ns2Msr{h37yFvZ4yf`RYAe)Zm7cdVT{m$y5J;_8d%|a28WG0Sx!j
zYP!;AZ?Vy21|-F{sxXNz5<XK=W71IfX_`<|=V0}a;)JPUsff+<Vm$bN;fjDVhUkrl
zq^<0Bk!>QtJdgkZ-*V#^kt$qqS;0tD=$B$le6LegmZa@*REQL_F&Ut4k!XTO%?vLV
z3kH2vbHu$cK49PNcD1QO(+>wdlkjbzMgp57G?nneKXg&XMtitf(amRLt2hPGZzbGM
zg>2&#vgsa`qjpqHFaCG@0OTZ{z1l&VAHdiq#bh@MH8KJG&i{-0fiEE3@ub^O1qFp}
zpJLQsoloRQ?hon|mxR`0-emiw9l?{Oo6q*`0U-5zwGDS4tnUpq&EjxQzL#xQ8k8*h
zt#x+aX5)zFH32%+nId*S{j9VkIYzVSN_#AdK0rGK2B2~UN%w9`;YF`$3V=9JGP^nL
zap*EZ;km*;4hRt3q5RR+Jz{gSl3}tSHC$knKntWd&{B$;laN*2{*_Ufo!pRY93#+5
zmW-pgzJdb(iFo<_?>c#0V+Asp1>!koD*_F56w2Gf1@o?R1ns^+l2{{<zhzc}^wD)p
zS}od>q`xFWyorPyQ@lrozsP+1Gx()%bTuNl5033W_q2|ZP};F)I#LIPUl4mpM>?E)
zamKqhiYfczAbaA5r-Xj%&8G*y@qZ9de2yT14j)Ll3({|UWm@e<`FpeKiVC|lL6Q2k
zS<5d>+0c)Qbwi3*>7GVpY!?_5_2|@Z{XT2p1R)`LNj(0lM!yNU11{mum<_$OM@2}<
z%k{Xa)csu>-C)rD%T9))!WW-Dyz3)+J*)lDZWqozpZw2-0!j)j2#qmM(8`WI$kIt+
z05-+j7Hl%PJn1YcY|)DsBN;*}$56eOa9fv^5U&|c{X6kD*q^ORsin7FblI`zU$>vM
z-od+^tVSLCtmD3BX2w6LXO#}YOEQC3|0xb!zYO<T_vw-y<%>Hi^-piC7h2p*kTVWG
z)|yRyG-1u3)Av+Y^y>$PLww|C`>ZQHO<(I!LH2LIZL&_oPf`~G_`s3rdTVoFPO~z<
zkmhWXgP4eD;>c~87HD<9F%FrXL8UC@g5eb3m+73q^5#iZDO3pxstNz?+2I(VO?zNe
zU6W>h)S*IKPr+y%@;%JS$B$LaMPBypn!-Zkw*!%JOO^l{gS}PAAM97vUTY70iV-PY
zXu))Lwa9qAMH1@|f}lU!mAMNo-gy=&6DD(tG%dv9(Lqu&xZzU#S{k#DnRXjY@eRr-
zJ|8#XNGWIIQwT9usI};Vrf=cKt|OywQGvM;IR3aMAXW*=z?Wbdf7E;edTu}NK*3o5
z{5y*bq;H#rlz{e6V0qg*x<#QKY9FK<5%&}p?}Im&SLu6PUK~apJMdGK9LBF~-GY*a
zhQ#|E*zKQjEFz(xI#I+*baEY*zpF~X{SD+KvEGd>meU4XR1f|#IcPrK8Ff2Z_R-1m
z=f|Rnd2=^_2iY1ASukUUUAH8joZwmfnTPI)SDC74!76CGBE@BO<LIu%y$Wi@d*=U1
zyRNe~{h2!*1-186K+LWJJt?`<AtS^ZWN1*K%y+b?>hg3>z+h8pFgt_z@OW$CB^@8c
zkTkajj`x1@`h)*XnXb?iA|bx0V7ZbNd;7N6$g|GJu+nlbe%nZ35gA!a({`3~H=GDa
zxLt4O&R91M$ykSBWrzR80*G-Tcwcn1BFF-bSxK09#3}uvwBP2+axLR>Xj^h^kb>C3
zIuph(%Wyj-D929)b|vK&%Z$P)v%pwU^XE+;HK+}y^xD$jUug;X2JI{^o7N$tqbtxS
z@!3HAf~TEbIpE^!ox4!xS_=w{S~Mf2+Efwk>c6&YIpq-5ZN;Ud-w27kSBw=op|*IF
zG9JPQ32&+TemlpJSF(uz>STY;S%8Yc;LBN*aF+1))+SRt)pqm2&`kNQi_K$m>a=wS
zQ9l*}VQE=~jep;ONpS^t8s)z&6)7pu4`2LyWvG|XXWg;*n61vrE<_GUdM10?pa-$k
zGe$9r5N4YDA9aneqA@Qh>UQyJmOlILU_`F{UP9mKge%7!gga!a@CIfRFrL^ju>a!a
zxbHWFF`?6q0N<lpXN5P(#M|zn1N*40hn?2SsvV8uf&DpFmx0yefvf(s1~<hYy8|=S
z=w(al7X2SVH4+#X9~t!n=RI*eZwD0>%yi?or1@g{BWXE9`Z4fg7f~xgr>x&vGq*5y
zf9=JyOnA7S%7SW>kpdsti>Q&i_%H9(i?*namtsOTj2-T&V_#v1Z1n5bPUBdJ0v?yn
z&0TSOzrjhHJZfAUH8Cqz!GULb;s59=f<YjIU=@J*J|Kol;Ygt8F^F6@qp73n=*U@a
zR!Q2=vG+SWZ!{+kl~N_%=RQ=>^^jVU`88{yj@={G<>5`^*25<}x@R{Ab=FxH`Fqbu
zyj^p#xur_4I6Psx&3lChd$E$(i3mOh(H8uB`>=y)LA1Qla<{4CkT?DYSf&+}Te#oJ
z8X)lP9Z#YOc8!muf}TH9CN=x(PulOs0n#VQK{O|}MV<>zSqaNxl2Bnb=ic%a?sN$A
z#w?JnS$Q0n9$tYRgO?q(Did2wfrQ=4hr9Eo^`S;V>a2vBa7xcD@8+Efof4gfikHvs
z-V;C5^|EW~P$m_k0(<XaFRqq`m(2;*ov{z)*KvEF4#97wO(_e7!Ipds_80P6zPX#k
zz4DRTmnc~*_rSGonw5k1DUSRdk>cw*%<`0{-<B2oGUmQpEL%~ou(Yx{a?r0xJtmey
zFzb7s;7ak;aHIQ79t5eMg;7X|**Jo`{@u2o2v7nN_{4Lvm@W7wngc1_^!Syev?i-V
zIW|AJmyFWPk)B>6(9HAq4W4=y_fINBpFDZrXqDX9OOtFs6h|#oj$xtIW#+uqnCALb
zwc88KoICmbZ&P2_Kbo6*qi>%Z1O>`_aM(#!167bvey79=TonOI#J(1q0Al^+WFwYb
zHk+iND*uKq?V1`@;Uiz}_@9}+Agsx`G|~umpHAND0I}I>Wg0FAfdR={pgi>T5l?<!
z1Y4AvD`za53_QbJ-NAKHL|BICob5<|Z>Yn8^D438wXyO0lKJN?I8|+l%f61<5WLM6
zg4jS!;>1B-BU^WC?s<4@vCe$%i-WYpLjiOjG<QV^0ta&^c}e9Us$KNBz6ku~{(Lym
zHj!$JjW=8u;ibeQIthfvb?%c5{r@Q=L*HhHWg6u@XO?$>W_Xh|{gWzqfq;du_H-J*
zr7W_IwCH_jOBc0+TRvaVHxPF>9^j@w)DsYI2}^I1fCGjnNm%sjl7Sh$s;XFkHZe3t
zHw1_{z$Da8GZ$W|dOwm5>7^)a->0J@`5hkGxEsY_ZMmb0eI5Xy=o+QxfwHQqsvrO`
zgo~$Cq)frY!;_H6W<cYG<C1NvkmP8fz{tduvRF5WD-<C5o^PM1I-|Guts<{%b|MK&
ziQW=KLRgjLqRnwzet)?M|Ebf8g+;eYwKcWQb}87=(ecMC<oTSX=LPxsXjrUrQkOYz
z*z9@Ahji#xwL!8LE6w$>itnZS29wX!spRe2a7VH_Kz-?nnbHd%Ki2f($x<DhR)r(V
zq7Nss6-o3JSvS}r8TYC6AtW;}6ya1!h<!IOsS8*sg=#^aDqX(C#fei0)+L=)=+=if
zyY9V2qTTDc@^k;A;NYoY`PLS>R@QH(RBI}nuxa|c2L0IEw9jk3y>!MpA4!B=8BQB(
z-R~DBKODW@ysWaAkf8sXKalE|p&fEmz-|s`l^hZdrZGnvVS0AM3!rk$l5KG$zUfm4
z*zXhuR2S22#|S92D>*`KhryU8-bQ4L<)&p*lWL~NdT)#l9Q)dfi$l{YH+jB^A1&y_
zqtpepB{SndbP=AlZf3LkWvRGYtoa?_fk#_+Qo!w@&69Xw_l-5p^DlWKRjO>f;NQ~U
z*kG1E1&8pA8K%`d<hK%3{FK#1x(GOjUmea;`|dxPnaNV#;`$oB!xfX<_9)B2q7eL?
zPH>EI&9ZT`llA4idDDdaAnI<?g#4ih>hbnDXBx_GKSzD|9C38fR{pCLM0*iWH`CaU
z-PR;dzV!)R5Ekvm*dr#QNJq!TfoA^)tIGYW{%zr7M{h`YeIQF$>!yF(473TcpL?;C
zay`%lyPtP9IMF(igQz;%^=Rpxg1%335{~Yp9m`rWnjwk1f?OV{PJr1euIj|Anm3$U
zG^YP;Bl<tnuz~Hj`>2oDhfpIyx`vai6$1A;^&Kv2$ghv6`Gh!TAgR5@3c5;68;zjy
zu2z<g&yq{kF3qt%aM)-}ze=46t`Y3Y!WT+$>}skKG!7y^(G0HVgf5StC92O8mAMru
zE_gg2ndw%cTtdK>+{Gt`Qq%dpdNm~R&}oM`D96$hfg8%N-$8lC7_ro)^NwV#*s7ys
z<0$xUyS<u@*bZxs4ZK91(}CA6&hp7#0_~_~GWqkCZ7K3fqulWTQrcriE!eY`+g@=Q
zWm}?ogEyu1f%u|KyZaTDXgCM<{4EBhZxsufqAsF}^kjFi7g%sMj3HaYIy`6``9xwK
z@A;=v!OQ!+!kPycqn7Wr|Ly6`CZRSoARjUOY8(1b{!Dca?OQMeU%P*d90&9))*Sy!
zN6hDo37PTbCa6WN5?@@i_|oy)?%*TkmO}{sisN0LMDT+3T3*mKf_tm;6F{QcYlX7q
zP_DG7pRBgctE*y@dL1%djPR|AOI=WV1FBO6z<i)jb_83K|DV=WM3f7L*slP$L`tvO
zx$qC*-<7l(*^^07TNaN^8H}tX@ZOs@j}0pR!~Ht0-?FwG29V`jAFozU&^)~Fk!a=_
ztJkN-+ShM0FJ_lcrdS$Q<p9GJ_qgW0BSM0ThGpM=gGC{*FBKQ?#-{l$^Dd|iNyO*}
ziVnBsq`C8KGSqb0>-HkiA<J?9#qG_`U@o@i)7sMm$jjp@_i8mwYRPU=LzvaC2RacF
zuc|avsFEZKsDU^QnkbG%dS%L~>5KytR+4jiZh5;$D=mES#t<SMcK!L>&3>+&hBfaP
zEU|O&{>Wws%js&MyZb{_L;mypmq>LJzUEeF)W+gZO*>D3G#z6=`m73gPorzIw6gte
z!o|aw*wbW!mY%{&i(5QI#1obekgGC8AHiz#tONeS(`|QH&JUOkXnTmJR*1jJt+xT5
z6;@^3PNq-XFmJ)t>Qm@w$GX}_T7adUm-Rxup?p8N+q&NEMBn+>+az@Hw}I&~4x4=#
zlwyw;wcipss<-_y*owT<j#+zX2oMx-Vvd{dMCm`+GMF6o@*fLq7<z=v1*716W^KNf
zCvAFSq>;)YKY)jSl|&It2};s+Ou$i54c_?%{XJ3yOkGEye?a_T&sJUUv_tVpp$&n4
z$(Mf{TMz;OW_4%#I-ZpAfhGYhj)?*>m!rjmr{=&XP~xKPytx1N(^++pFNaZv;X(V#
zm6V=J3d6vv;{k=lGyms(bvL}U7Gp;IeQr5vcAm+CoZ=Q)ad|)buK^(Z%l?<GPBei>
zclQc{XIoqa24xOqK>+_NxKQ~){Z^|<>@iuMKk>6o+xfW^r8;p6{yg{Zbc{U!m=hhF
zq>La68n+tJ_w~NtBNjZ0tSwkuUA9kR6&eQu6jp0Y6N%0yRIhgE=-t<T)I;%y{h1r*
z<EA9pJ7Icu_neJJG(v#iga%gEwzh6Hi;K$p{gT;gC5h+Xg_G=RTr?mnf1?ql_s9$T
z)~o!~cxKR;>$^^fvh>bKff0Pov~64T*=HtP?)CilXYiCBRW1Z*Le0V4v$%e;NNUez
zS<1Q8liz=%`IKnfo`X1uWJ*Hg72y<dUFb{^uPYqGe^jH^D}-&gTJ=`b6I}dj9p<NF
zae09#l98N_q#}9x9Z`gu(Ujw+h-^U7J!~Ti?cv9;sshZg=ljB)QqFD^%<pl|=oB74
z@FnJR#O;dT4rcjk^zj)Ur$joZv4L=S*s|iP0o8d1NQOycOS$!%2G7x>b@h8-d3>xJ
zBE!ST_I2Hw7SubtQ5B5yzSz5dB+x|Saeu;~oHWldGPQwL%yG(bf`FR8s}$3uenV^W
z*Yamc(l_5LT<mB6UB&SO%NWKh@g>r<^8eCs$L;7PN|SkxzRGzT0_WJRFt#QW&+sI@
zW8lh=;kjs3Hy7&JgAr<{anYM(00f7JiqkbzA`d@nry~sZyPd|$8&*_=j<}NxA8+_<
zg+Kf5Dr``ZyiDi#{fDg}r1a&;1valPp<~A(EBw{h=Io3iYtm$_RUBIsjEGO<!CBI|
z^cc#7IjJdjVJa#dw)|z7qV?^<rStxtiN#Y~gWm(FvJFNbMd|ViUpq5jT}9ws>Mw!!
zNt9_*K}os_8A6bPB!d)Ly4JRZSek$WZ-n?L=@`-QV9d3cOi#O3Fz5!>a<Z3;F_s4a
zGsh_!)_!KXXonvH1J#P2CnD+1m#bg<s%`k_P2U)f(VJ&_Vzyn({<;|3azpP)@P4?H
z7mM}T38=KVza}nmQMRV1x+E02%~ME1`#QA5in-`$A_xm~vK$kE6alarRbg7AQP%d|
zFR<jvaAl#(SC%m`4XfTESo1!w@Qb9!G1%JQ=&N{tQkxkSIuQ?{bPXNoVvZGK%w3tE
z8h^5D4FV+a)SCChBP`cDqqYQaZ2Uu#*iu5L^Tra5V%|*^j%9nngi_7!p|mTWYXNn8
z^kflpxqzjQ1hjml?b|LZ!10rhki`lyu@(iac+)!FETe+L!oaMcf*QA^$5wsmV^2H^
z?;dt~_O?N%51;_vwfAXqWnj!@3%K|}R=}{d1hGDx1l67Ok;#b_qu%UB@vRo%dQySX
z>>(+2)?Ek1F0RarR#V3k-r_XE)Ozlhmlp$)SCbm#C#_JNGhgVI`q(-DBW-@6QMW6x
zqISLUnEX-gc1T1n`vv@)yUSzHN8OnEuqx+0PQlGGjNKzX1LK-$mpTk82I|$ek$i$O
zxyYxj_~;M|L*FDyHZT`*<y(9P(f)jhu~pZm&hQxgJ6@;XHl$A*rQcS(P0nzFcu!-U
z?kKK+#cNDe7T$Aien@2Qg^s&DU5V&9-1r17J8eeI4YewQkM(aa=hpU?pH}6F)7@W0
zz3^tEgOUc$Q3WQlOx@HXZtg!M<GK2rcFD9p%8Y9QzAmxBmoSm1y1b6Z$FzoLLIKC^
z_AeiJw)GY*@*XECsoL&rl~hDUqRmD=zB)gBkK_-C=jruIl@VUtH}>~>CQ{D*3jWn2
zC~u-720&8^MO?+AqlJw4H?J!UuVFeT6Tl?O>&yrMrugy<r*4E-=iSn18u|kE(qR`f
z-hlFHK6l34Nd%j4cYa-3Z!JOdc>RmxQM_tD-^_gD?$r63A5~%HH|*Abg=Bux(x4M^
z(uL;-qLjFu0eCp(W^5mo^cEqXPWTCX$SAOn9g-@H-Ktwh2)D#ZClB6%+s;sz!E77l
zt$6OGEMWNk<bbrHaMe+4Mk01}WSyXD!Bvm4P)_hLbF9T_5qxGS9^TCy&zo0mRTS3+
zBd_UiwoYda_Y`aV?B=hogc}QyQ_wr=ENNb)Dz|&**ms@tNPPDjwSZr80rIstI$&Ki
zS(7`~$O5M{XA<VVgW#FN88lv|1ysJQQ@HniNTpH`sx3P3qqx8w9Uw5yRByV0BSGW&
z<Tsc9>FmRnmEIHg8yN$zjS=6EgBTMhEA&bY@P~lQ3hd3)scYM^V9?=9UoOGX-%1?Z
z+tob1H#Hpp6!}3Wv{etTOX0*R&@rL3Oo}^BJ+G0Vy6r@r(>3b-9(|K43Vi?eP^xCA
z^2S5n{UMj-c=m`zPpAlOu&-?$Y~@7t&$O?_JY`GJfp){F5u2#zB%mFOOAq&J2-7HL
z1!YP@OP^?!b%>encFYH6_7dG5zJ7z3w0T&S-qt2p<J~5}!qXf87}rjSdf+aBU$(iB
z6<6z20nc_E)8LaP)c7!u!DOPJHyP0)#{|uOVYnjmCSk!JYj@CYc8cHiPmS>DGpvfM
zHuO`rgcT(KIAcGU>0Ol)sW38&+1Dv=RC47cJr5epRR_;d`GMcIRn$;?PbPTyVxf5J
zQ$B#0rhR=aDUsUg`kqkyT?u2?!-ai(N6wSJ2Vp!9YaGj0)s_Xbv`Ju)_$`&!1rx=W
zad<^lD~4C`z<6y6icKrUirYzf-KC~Z_{+#9V*Fx2jmvn{ZKGr83K2Yu_*Dx}Y^}Q)
z1ec?L4jLFs<%yUZ+*I6cRv4fI=o9^-3|m<{3p&`s(w1-}=4*)2Il~o=agbFrh5gB<
zT0{MxVvpT1Ta7K9a2cc^o13f3tli1sirfgccHc$zk3*QpP^LOW&2HFy20DmuV#~k>
z6W3Q2NG6}C?{;IaW(ys+hRl8Td`D~Y+tu{`xl;GV9#{8P)<H^aF8mf(?61>SOnBR~
zWyG88>P|^a$it*>dA*}!%`RYl3%Ex4c@&EmJPyhO>$rXu%<YDDV_!l#pCwbx<a-(E
zGz4HR8q9=jhERG(dfz`fdF*X#1w{shx3&tuW?{h{)1~e;#NY|cxB;VB9tR&(7S{Hs
zvo4(-aXOoe!h|LS1^W0Zog)<_hc=ro)aLt+gUL?vAsM^{GF0tpkR>~^k{7%-ZVQix
zr`^~_Y?_<NU!0?G>{JD;jVLQaTrc`cP24Fw`!7}LrQlTtlrlVM@XuT?1Vhimj{51n
zI8#LUDHMR@d610`+Jr4Y1<FcF9Iv0#r9rBr32=*L>0%YV0ylr__r5VDo}f>A{;eM2
zCd=m$8P}6{NonZw^Lef}ey<9}a??eP7tQ_x`Toa0@C%lpPA(r;ZPO8Rh=J2T+^I#)
z*u&6@;LF}V+(TV8U+*<%iuX2S8!YN&7CFa8!4Om?S-WT5Y&KO~Ju@iVq$kSs`pv3G
zyOq3rZ>-&|Zx6B)Px}}FeamN8bB2mA`G%f4hc)Z2cTMfse%5#_vp|vFpO|9ztwG~i
zW;ZX(uk(b~jG6G6d5qN-OVmO0Q9PfHRsL*jUc**DzhR>*V;Bz7iiES;yJ&HCi5tBB
z0Gt77X7CrTk9<}Bk36kW#C^|=$Cpj5fACE$GW4}3U;17L^4?OzZ_guOK6p0EC-Vm$
z4b_>h^a_?WPrb-4p*+Oe?G4{2ffoibZ*O8BbcoL?iNy3zlOZUf`W1fpS}qJ3qEj-b
zw|(_b^k#@w#)bfnhWjD)%oFy)X?E{o!Q9{!ron)RhK<Tq0;hAG?lt=MVvr$=(;@qP
zW)~v|BBdIR{572rg0Q6pKyQ)Un@P&Tj`yjH!ozZO()wP!EA{&`On$1Fr?uG7+AWqj
znG(+<JI9NFkWfyjfsF~x%TSnFx3d=ON1Tm}re<QS)2Rg2(hHG?9>j}nEdws}ZrZq4
zf!;m!Pu@?s=h)7rj{u!W?jqe`aS%Yx+Q`ex=RO_Q61yDo%0hDdg@>X=ep`5K7dRN5
z$1JYZ>kv<<t7*UCu<=WxH4OK)&B6h_3@6gAJEdHs1b52Pgjg)Cws}s_pdLw9wx1{1
zm;}O3m(TAi4W<N4l=057g?|<wd%;#Cuml6!xF%i-qXmEq;K*@7@(bWviap>Y<DIad
ze)B)|S$kqUW0iFK3V!rQR-6Z?Dhu8`r_Up&Hr>U3u<Oc9w|iXk*^60gH<Rc$Pz%96
z6YU}1%VEMwLZzEl1d1m&sLg&x8t_{@@_WP9S58AFm15M~IhBJQkMtuja!AP3GMCg2
z1|j859+&55ZK+|ctzc6=Q~Qr9VwY(6#=$|uzM6Fo*~_$o?#VyMCb(2Y<cZlil-l+{
z@6vb$BxJSYTI7Y_ggM&jFkKJ%2Hc_EBpGDNnrFC^>h-VMU<r<=VMk)>bgno;F%Rqa
z3)yc_xA`C6g~YbhY|K9w>?5SLZ>1Bqv!|@0TbMKO1_7FmIk7&}Mg0@rUu-Dc?n^EX
zo$PChGEye7_vgw}`jDD`Nj!GF0AxUS5$zSw=7X`s?*JwDZXs`CK-wt^SXbwD>`j5k
z#)+2?D{fB=9J42|C3^<TbVQu0Stt~0dDw_vxAqvqB|ZjK&F}X`TadA#StmyXI_`N<
z22m5jYKjSY_J;!h@(=!`XDpnNthV80S;ub>(D)2oIhJ>w8pKhiw_V<ZzG=MCX%5#L
zJzqQ(o;@9*Ttjsv?3#*!g?Plm|Ax*QQBQ$psi*_sINwFgG@ijOlAIWDWb_f8eXnZ@
zi+vm5pp>D$0|B1^{uw)tQI)<CqVco|GuuRW&@T2i&@_D;v`N`upi;AeuOxm8zkuFw
zWrgud6?LiYs9SqL)09yLjyLlmvxsUQP7T`znb#^F4T^eB{cM}F>ouBKYyeIxWLLmD
zpd#g(!tdkpOGD^hu92lA5b<?hN#YB?w&r;Cs15l$@cC2vs+EBolQ=!6KuXkeqmU0k
zJsHr~95ulkw67VN<I!4EP!T=D5xE}EbAD~lLAaXvT1r;j6N#>Py@>_@4h`>~_?QjP
z3jTrY+(3!OW5krq21jcWzH)!XuJi(g66sJkg7&8mG)4}vYq$+^5M#Vw-#)-vsCx3S
zA=MI{5k7T(iZPTc+bT=nS#5HHd|N#plLasBS@)EwRBj_5GkEnvk&F8~5a>ad#}k=_
ziVx~T3FL@1lNTghlAD=IfKqOOf%lm#gM8??Xr29$3e-6C1kouldnwA&hw*?hQ`Zby
z%NrBOWB>St0P3o+%4^+t*n9udFkRAZ(NEvgr8QFWnHQCn%o4<Qw@zIe;1ERTV2p}|
zpo{A~6WCsGV4I)`iOPLM6s|$~o%ql+PIQR*ET2eE<un{|NcGA4AwR_DF-6)FYiT77
zgSBLDyYcZ<sUaCrKRksI>)K+iU1Y^;>E<xV>bd<~pMEwNqxKKWlQt$QFE3iuZylY9
zad-ai@<0+mN4{C{nk(lvhY2s*Z>>t$?5*aJxg2faHosibqQsPME%J=}Ixw;$kSgNI
z`q15z;(jQy1Egh)9Vg#gjrIH4m1;C;d`7Q=`yJ}DZo9f}yEEP`GxhP%2(5>qd}?-h
zA#WDQnC08|d{|O{gcB$YDKky5#`S=GPk!G=t{>C7Q>Bo|nqUS1K@xiSXRD-fO;&@S
zFZlI|LSK{v5PbEqZ8Z63QdG@_wG#ct4xzfcJZQHzG)O&1uFC;!&)rue-=pTE4%{Bn
zFJW69ltUK%A@d%^Hb$tEG@-se_Z$iB*M}m_PktfDJ|amLWD%R_@MWd1GlLXdcsS3v
zbvw$Hz!r}=+JD+A|9cF-%lxN#me7A^(9eE7SuYN+*}beCBR=#k()UJkeS4>P$t9gZ
ztBo{18>J{u!L1eFc6G4z>-X0Ox&mSjj43WCgBZB<gS6;5B8R@ZHP34t$u!lgc{Jg0
z5^lHCR>#{)to02SyQ#BP=JDCh=Jys(jF1bcNxRCjtF63VqI4m6lk6edJ`h^GQ1J^P
zX6HHMMyQ<$0clt-GFW~5cR}(mv*Cv#0WvrYV1%=$7D;&(&=Gg{C<7t>;rjNJkrUic
zfyOo-;4hrJj*1J8djjI$Ng#$z$RxYU55-z^L<88U@g7%uawX+YWpg`()DdOc2`UQ<
z<;A87_6MAF?9_cPE|EJTb+R&$gnbzq8MBpFYW4uNm|P8a>+6*0owq0|#vty2(a}#o
zkRagm0fCMuj-ZM*m|5!eK9uvg9I}ui5`JOy6J>&ds$;|yJ_E^*<il^0@T02bY!k^8
zs}NLzKpU8MU^XWu6RjU7Czr%F9<n#1<tK}QVeD2KKRBcx_`+?%xAXDSiEXpgooToT
ztt>PaKBUYJ=9r$^XGkw!vZ?nLMKcR`e*Yxt6xp=mEo4vjeXQeJ9>N}wl)A>?^EOG}
z5n`BU@?0(H>(`e$<(DUGN%}sU6oNbHT$0A+dtnSGg#h+4eNIcko+ZN1h?#l%>>FJm
z8t3hW9e_Ar_I?xpeH5<=rpKEno(40%Ls3mqJ}RjSt?uc1-whY(LQajRcfVHJXv)|8
z`?~@<5^H&YU_OKLmjEm>FD8{mG2O`oAeD=5+q?(bpQvT_x*M5$?l5u}temk4)P!O&
z?THylb`Vz^aK0fGX@sF?YB7y?R+|UxN0&wXOn{!v`N^rH!+X@!Xuo^%%joIWba3DR
zQUx?%5~0oM&E1PB6*IM^1x2{UukC=&^t<LeyB4X}4Z1&RRo&}>>L4nvvxUaW4_jNy
zfA5_Qj6ZNUR<{l7Mc!p?ufFPEsjs=OT{PcHlzdm_(VQ$Igs(1DS+XRj*55{C@Db8-
zi)C&2xyGAY5iajTr4bq~-_Z)gFV{WTq&I{6-c4=SXB_;Wx$yB&G^8wr0EL64pMASL
zR#~olI%`w5xBql$QDfnBVz}E3B0I|7!H!-9FUWsg_)@FXn>R3TPDy+&lMJ`jlISli
zOMJTMaA529>}KbTA(LoQwP=(g<;`TUSrtQeKczeVqIFngW$kP2?qJx_;wemA!StXg
zeYU*YM4XG}0jVCFor#t<fN10{MBn?2i?r^>OwpMsk;>**6NY!=wmX?6O+KnklJl{9
z(qvKAJxE3LCK9Z+KV5=||J-qYX&7O_mFY(*cQAnm8O4Z#Vr&YJAFId;ttg95yY72N
zbfmy%V8&DiO3zjStV2mfDErA=16!2nZz+%KYIDnr-Mj_$p9GdQOBIscO5%ayAL0&d
z6AG;R)68LsJyNd&%WPt(135rKtrn6*;wE&V#aARHW!oWmGQ2wiOHS917r$iUcjrxH
z1~tu8>yIEhbF#E(+~(=t&;I1sM$&oG%tq3c*gDQhGrmls3qOT9|2XR(ATSo<nvXea
zgkLgwIJ+WWG_Ljgb=Gz{+amEu;sm>Ko_;5THc>%A<yNA|e|u7(HPOQ-T1<$H>J;G;
zdWo95x|7u|14zD7+LzXsT!dX#K(S9iAr!9cM?lXI_wSz}pIVs7p{K7em!WLqfy9|~
z#8;`Ye$K1T3T^lIJgi8+xFKPZvY+rW$iC~}#etiTxHEos2xo{oWrE2iNeV%7l*5Uv
zc|K3KQ4Ir2Is;<i-RoUT3Q(~^MO=GBd;`yrXi}G#m-{mcLr1jUIK|#UQqjogt10EV
z!o_8|vugkL?0eV{a<ZbQVPBcNQEd|c+eXAKi~wVqI!)Gz0iL=}jU$L2H1_saAgzhq
zzqfrVI>PM+P#^q&CKN*HAZ#zkEhFrajnxC6!1U%6LdwR%f|*xK<k>DHZn`s?BD3cG
zL<TfR-8fH%^;f&aMFrg>PS8apo$egsIP_WSD&esm<9=`cqCSZV5hmsQ<mqAggP-2!
z=lS9pc)ESfCrbh-+#~=comVd2lPJ$LTx&;of9r<fd{|dP`V<Ce_2EI7het<=#`plS
zz+Cf*++M{;_q2*8*XJ1no2%f>sKEPxArdaL@JMgpZ0h{D@y2P4a9FA10U7pl+lR~T
zBm;Fz%arx<>z}_^vh+PJDKs+(D9u&HVo{G@T-hCxn4YWnO!dsI=3j|j2LhhF;{NK&
zl0K%b=PBgFiie#zfI-68-Y!q9&-;Wi4K#8P;@bXP`b-15qDQ<Nw{JZnK$FuBexYM5
zhn8;hRO+cR{e=F|S));^2%C0dSNdYw3U2qi%Eea}&bYleW>F%*_wn4qz=-&C2dJt*
zO_#WFfZ<;sgXZ&a1&dm7$=v{K2J}4?ol-ziB9Y$foM*fCjsGYu<XXEP{F<(c*b8&Y
zTrp`&U?=^pB+3a0m>dD(qyba@#~STwEgHfK@v=Zj^_Zy2)v_1aiu+t!-I%B+GDNp-
zKnF^kE*AVJy9!`Z(CnES3?C&bqo&;5ExgWs^OgHGa>#ekPUhcZi>-ZumcM5{LwgZG
z@FyOe_^or;qvP$K>HGahyM&KRiOaWd>54u|H=0$@eCB8uo1>u3h6wv%h^W`yDUlxo
zG!-1-Z8)Zx1%(-eP}X!9`f<!g+0HE3U6KX*)+*CpN|lEaM5Hc_!`>0<1pT|g05cl2
z%bIV-_pZXF-u@Q^;%q`|2%VefGJMbqgJV<G$<ugA;FiFf<-liZ_8DKC`g$INwfux;
z&a)DpA}~S%eFR!-@jtER+&W07U&+{7emx-eB(jNmg=Bi0k+T@IOQ4a%p|G9#T%VbH
z{OV0YE-HtV%|9wMc&3Vap~Umccjr^uR8N&V328Su6597}+hPRv0a4f_bkl%91ec1Z
zk$!k^Fp<92d@S*U95${8f52HM*^oYMu-uHgikJeRSpUtzu$9Z~XD%YPK&Bi`2q%a1
zpkfYjdo%@2JECn1rf_dv;gVfP5{P`#_ts&o4MZX28hezky82y%`SDPKI<mN*>>Hc$
z<W#&(NT90LeBpDQ@-88qAFb|CI%UJ9ydZX_u4;AD%VteeUZcqwrlP2vH2Y@#R$Oth
z--v;s09ZcE_RV@>W)k%bE<tI#p4&o7srqh8^%xXpwrROF(AIkphgU1;Y@uSF<^Cqh
z=h2e%=|^ByKgsSrAd|K`tv*(m({kLMU+g!jr0qc(?}svOu9)oc^nmS7R?nG|2ZXB9
z0Kyz~*g4{&5TDerbNsErc*s``z$bn8J<HP@!Lz_4JevRB5JB$E*WIpmyT%wP{S(1L
zY_Z!w57=Rs2_>=kK$ojIl<2p-=TQStYE1uG0I*uqs(OiM*WbWiI74mS9NgU=OVK`l
zT-EOTV&ThD*?ue720NZpOoZ;&M>FzlEF_QC&vqZjh-SXZ3|HP35Zmk7BvHU-$`Fg1
zlGNEK{}f|jcMb5FE$<^L-wmh3<8BU_ofH448|OHtbjuvoj7+=IhIbNjeCpm^cIqEb
zGVo$KqK>I<JKa#YI9J%*t&)^cJJE0Z;UZgXtM=ly_(dKcR>Npk@MAg_;%-F?6&lsS
zt{Z*)6VNaE4tLFzakg@fc#CVHb}q9Umd&T{6EhfdHCd>*i_kSJkxuPvimOeUpe4JF
z=k{LTHeYdC_ft?Qz3bGOh0|fKW#ZpSUWXWv1qS<a(CqPR8s|0AD>&{s`1yODxs;fA
z2Pi^44=IC_Mo`MNW*n+udeu!C0%IvB(mt-=x(NW-qa4ARxm>jdq5jHMm4K4YT_r1Z
z{QH1aM|V2(M;8JsDF!f%nfHK7c%hN!b2^)Yz@%Mlk!yssj%0&EF~tBBjn-EulLhz`
z-dokq!y|lES5ZxM53r^4S=s&ww{+mUv{6%RhJwQt)1nMlp!x@n^l^AOV!nZdhI=ZQ
zFW&IwN5qYVc$kda$^*4$j(bG3m>mJ;niDovSYGZWmXM7KQ0?Z^`*L=3v12f0vDHqS
zOb|DK6y;{w*C94J%%<|K+-F>(MPmbX2$bzBa_R`3UD~wlh<nO;z|K@*pma+HbEV!d
zom^b!VXJD7g6Q!MgXzCb(T7xY{336@{jOj+x_nbNJSqu9^roaj$At8O;8*B$6eVuy
zN)my|K;|~l<7$6!lXOHU#FmOar;)cS9veXz^#<|u?Re@%9e4A^SB#WE&ZJTPO@ii|
z=yFTL4!etAsP>b|wQSk(D*TZZ9mo5i^B@Dh^Oa_oyxKl;>63P`FxMBtk<Ox@E3wmY
zVo1GSd7bZRNl2w|ZmTRBM~t|WLFksR)XQ>wfj&G(npC6qDK+&4g^|y<YnWP7#qZ2d
ziS)8mNtf<-X|X3r%%gKEJCY^n4sm5<ko<9eEXFpF48Div^nA?}@f=E~YJ6fPt(#GW
z$<~L}y>AiWIVcXj(`iQt<Pq+rUUVE5m(Uj6Ipq3NwFcC37r#1cRpc{dk*Y8!J<6G9
zK8D6-Q?~$^)^l_7=G|QA?$XnpAJCwrc(o#w7%le8aM3m7QR3N@3vY7UBQ?2ekDT*;
zbx4g&I_v@{luzQvh)Jc{h$bh#DW@iOUo8pWzK)Z=e@A)VTCnP#c+RUu8%#Aqnao=R
z)F~$cfiXrT?%3G%3=3Y*Ey2w?e9MzI8K8rgH}}YmTpE?KkxCEzt6;jpo@#Z`hG@lm
zNvZB8QAl0<SnOAQ$fF>XA4^Cg=FI&|q&;mv7|{8(xs-V?ZtSmBHvH%b-}dl(xNdkn
z@A?COyrA2@luy-Fk>^QMM)h)<vhc4D`pm1c(@@QiADgt+zw9^9IR&U|Ff|$X$}ifL
zM%^se1j1f8uxEG=G13^e-OPGkoQ2p=AYzM3q}jJy7Pv}=VC8%}96dz0;mD#2#vsC(
zbWtzyBkaLK@W?fZNdFXd2#xj(4JI;{m3ce*4sqL$Fj}#UZgb-Ihwkyizv(@xIDeY=
z@k!$_3#8F{mUwKUP)sEN{|iSQ?G=>m;Lp%FX!E7-$=#ypi&C}-ldi<mOO-NTH3P#m
z{eQb<-^D@b<fosYTlk6<Dg5cH?kAESu$wUMhm*I8&vplwL@0h_3Ss4oz~+@&>(-H9
zOT3Qfw`;ob*dJUH^SWAzsWY6oJN&rAjvxT1<Ks8Z@ff7F8%{=<J)KW<NMlBD#Pfw8
z$j=2#2M=<Ra&mDBq|kmsW|{h6(08>r6+-WID<E<?U3)Q+Z@-|^UswkOP@3mkxtnsz
z%Emv2_NLop+(^Y9>6-T-G9_M1ii?ipeHWB5_CUdVnzd(jq~V1G^$1c>+}&~aR<V80
z-3SK0ev!}4)}(8iOVKcEM=H8d|F|#wLm(332?wCsk!T}?oI8P>w5CL2Dd*fvS2SKF
z;#M@#pWe4*X(~s&F9#SNl;PR;r}P)|d6myTK0~6$;lr6+P>)72M8SK@Y45&;UG6T#
zS%OiI=#Z<DrO*8<$b1*ryt!FEH%g(HMHwEsHV+rDrFn!hj~c{NBobN{mIOIf&#3_H
z<+ph;zXi<4`0YH)!YW!vCZ|+HWyhkI!dAU^Bt6!{_$&>xAkNDZcjM^&F-5iwL40&$
zr34#Y0dDzn@uK)Aveb&()mpj446Or>OXF)#ip0i|9!Z0PmP!F`i}7j*eOP(`%>*^r
z6Z*yH0zE!nStNK+QO~s98Ec%VW~HgsCQa?5I^)5h_0Ax}aT3oJlfA*^c~4A<&zf=_
zRC#Hlu^KxpBer|~jw9}OlEG?`45gR98M~$3Y?-_Bm53G;qJ}#0WY-)eSQWyOp$<;C
z-59Ri`z1qJv||9y_{}nyw-RC_o#k^z=mikoTcZ}oemNL>HvK7%pMEdMF&&6dakQwY
zMxGPB!!oK-LS2A7r)(N0whyF}D$Qb0F`bN+soCo?@%X)mx(5%7gr4PB?zZ<cOiH&c
zaSR^m(J-yJYZ-$_23w&V-Ulpm?<zA_Iody;O`dYBLX^lztLGknIl!ZWb^bI^T|D>1
z^K|$@#_h7GM%t=mf4dgd@T>`QDMOsCsz3Edx^Wt>kF1=WQKfKzyAbynVqAwl^aIsO
zv+IVykwgf&BfH4M#fRIq@)%WZc|59vhlSvzy-q|JMpnbcy)O*Vlg-B%6_yw^x)b@5
zR0baj&q=fa=U04nUR)&*89>5~|4+o74Uc2dWpn3pIzNb|($w;u?W_DXF~fBNyq%5u
zO|anpr6%GFJH0Y7gvOE-2z8A7O%koEQ|%+a_VBGFTnCC(N~)BXVEqQ_>&v+q%l|YO
zXA4kM7fpmZSxOa3<E$@sVJ5g}es{rm6~#Mg$5In_yDZ#}_~TaK*QFj!3;{$Lt-;9M
z67gfZ@>`Jp5Wj&wmRD$-v)o4}LgFO6<u&{14q~xy_OxE}JaM2o8?ma~@9p?jkn#CW
zOuuBA&giw|te0HueYl?uzI5Xcal&4!sj4!v?No~-e<juxaFd-MEk^bn88q{cU=Ap+
zB6_3yYI{6@dR62agO8@p1!t>X$z{&iRPj^iB^iW8K_#X=C}CgH=k43Kb)N>+<V}Bw
z18ImRgOeqFQ>#TW;e<B^?Yga{zOgw=ZcQH3k3eu+XE9-%XsKko1o0!`w3{xCBmk80
zNStga5)(4$wqmH${D<C$7!Hx(Fzb4*^PuTO<vgDo-46rA+wF^hV<`nu1lo1g8>9A}
zOlGcb$?PY@QIAy&d>+biMCx=+SA-$nI$b*Ler1ytfTnH-Va=Bj!sgu{=@lE70XOd*
zG5R)*kypNpp^44tXdKS%B@v!T+?(e1P#?v#{63m;M0ZLZf#$tp1!AuWlzxP0VmgS_
z0dYP#IE#sm4PQlwns1L^k8B!?qG71<diTB?B|(xD9)@V`BM==nb91v%AmcE%^PoRG
zpmO!%>OwjTf4(*{hR|>}xS>fMAwIgG876KLSy%Y7$VBTWJ1e=0ZE|)XG!Ry>sYUi#
zpMPgLVlVB)yHG{+ixLDn)%@%zG5jr(Jov6J%R5uv@{6~eg39)l`rx-7%F55)-B-_q
z8|hwcup}k*l}HZ+-XAl+QxR4sXT`wO3=3)G_+}!r7^3_k;h5<EF?Ehnnf+}W&Tg_@
zlWkkm#F;qRm~6YroNU`RCTp^7+wR@{AG}W=TdUT+@BPDt^E@um-7D>g-CQtC1vDBv
zbBA;ZWi++TpFY*fizr21aR0NmLq4YXy53|SF`(Fp=3(`^)vk%znoad|<I8CbLS(U!
zfv_KjL~j4t%(sL>^KruirHV9}l=<K<s0o8GO3+?f(qJi>F;oz&AeSkUlYZdKi&epp
z-7W?Nzk;ZbKxEYmfGJ2xQSa7_xR8Myo~Zqg?es4WX!{(z8z@fsr(H)99fGsTr^*to
zI*!TV+{2QugpOwq<VfOAcHDV0jD?=c`5H!Zlnk5Y^Mvj%)Bvs=RLkaVaZ6V6_63+)
z#TMF*vb$qAZC)ursgWXHE5A$!s6Hf!>}#TfwcRdp7We3jWEF56AmZH{G2<`&+rp@?
zA~5_;0_lZ!+38DVpP#UuEl<LY&6S-X4|Rz6m2Xj$ux1#Ck^SbTf$U>|un}sy{ht5J
z0`Px46$Dl09$;WV53nden9Z1gwmtFqY$V7Ili`CVffR_{my}P%h5Cq(gB)KUZ4LcV
zt{M%B6=F0LC*`XWHoi-W`iyOGsQk}V^1q<I6PUV9R89=oIpLaL1ZTs<%`E$>{XjCr
z^DgH2$cX_W=r`jak`2<X!o0Z89sd=;DImePAc-Ce+s4xzx2ql!*I@0e=$9k%BUMak
zms+^N=)T=9VVS+8bcR<3ReOS^eci;x=_Hoh(urQ;NRYLDvlNqs26d^S+TF(Le38T*
zU~O~Tm|y4enjI0J#;K0zMK1D&Siy>V+QM(oSt+-tpR|jgZ|hgrPA60~QBc3lmUC<|
zsy9>A;_YNm)qV~{7zUh6qMGUWhRAj8!{%$H<*$@CLeOIo(*=LCK0>b#@mvJYk;2ab
z!lb>iWNB4RdrtZ!*5r*z=w&W5yhcv?R3IW=6tTG4SwD=8TFZfDY)6fM@xS}o87VnZ
zw{q(LR}7x|JAl1wloc(UC9Fq!&6OF^a<7vy${i~H)Jt=mK%$lT$C~nKswT^;Ue0pX
zBf6|qdbhr;#cA?pwodc*`FZw^Drj^dQzqx5zBC@;tz2@q<{l8Lh7TCda~RRn@-UTg
zwnHa*k6kj610%aM4aMW#3<_8POa{)yDDr=zuB^ik_>Z#Y5nDUSQt%6mZbPj)#q?44
z_YTl22B%k+1WpKC3{dSvwOq_CJYQ2Joh^4I<93n>bmXphAxok}%ZH}_ys_@SY&MCl
zb_bzh5ql93b5KLyZqhZV$khP@4K5GWp-E&n-Qh|{Lr))}=!D;5X2nCBr^G2}DjX`J
z#F!{l^z?-yYuzXsu_M)C+p3*o4<OL6F#FEP4^uA7sY(J~A1p4RQ^2Zv$Zm-vE1>Qw
zdkZyG9yNArR!ibJ-_W@<480i0a`2~_nVvqvs^yYr$@rN5aB-hvB1V#s@aJ#g!Zar^
z0^TR#CD(nD@0c^34p}dSncmrevgD&GkH!BuqsF8A9z(*fEGf)W`tzH{V~NA8q?YAL
zDdS=bp{nJH*!nHKj_Njijp96O!)N!c;(gQZhr+`upvwh*?<EQTbRTO#QKY4{Xy|r?
z4Z1S%%P)2&hsI!K|54OX%5aPk@A{F8Q*iH+9sEDXmM@nmaUCSKcH{=lp9=IXi?_KE
z&9=QR#EEW<Uva5As9p*!+QVfrBnm+=8=wLW7KhR4fI@HjB96qts-#CwM%kalCy_Nt
z{xYx2-R}4~8H%-whXrU~2@6HG2ZJ+_Dw4(7tZoDj^U%(=K>n7%GgH;k@Tt~zu@mlU
zmTUx}-KX!Wg2f&r{E`^Q{OGSkTsc}#-vv=-eDh6BNd)p2xl(^;cp_~$jg@EBPW9O(
z!CZ|IO+H>s7EU=j-p?`;kgc^8KYg05Q@mSoZDo!lXO*vZs76<psl5Tj|0+_kVL_~1
z?@Z;7e2j=?xrv)m8Xg<Y2@g;B?Y!$(H3XPp+S+DCsE!t@MI)9V4y##!rGV_SKb}95
z@SR#m+R(`4+wsW>u9jl2->I=EB-q06Go=OS97}p5sC51e&ng%~RJQ2a!J|M7k(9gj
zNOW{o^%C0fGNvwEaNqw|ijhTO0{B4sqQ#BB`V#|EMFNe&OKHTMHa`}p?6FQCtLTh!
zG*Mz~&=-A9@?yyPF`4YNQ6=pt`aup*_<kDgue(NqoqT=LO8<VQqhjJ2*W4vt>8x)k
zYUw&+kbUG=@Wz_<N?1F-jNWmqm%5H#B=OhvcE%Dv9sm9d)B*#VR%x4;!0gHz6(wx(
zxa;~*Jal<H<P)Besw(#*`7mynu>D_XtqFW&A5JuKk%s;9&Wn90@;9aZ+s~AgL4eqo
zhyP7=zW;P!Do}`y1cb$AUoO3y;?NeEp-L<kXrWVR)J@RJSU1Hqa|LBdAySO(caQ$p
z=dBOotIiKeOUsDW_y`M2pTwo#nG@#wsKJPK!KG9I`<N}%s$w=n)6Q21>8IME{k1%X
zqzV*9S9VKW<NJ58SRWfJz0j2V6)*6*|L~N3)kK6U1#$ZdCY(b(>)GI*BG#w}!58k}
z@0nm+HYyqWHMcLmkG$)Tv=W*LLyGrZU6m?Bxl`4BwEk}+K_XRLtTgIdg!IYJ#Cg5+
zqTjLSwsH1B$UtYG<9<MY<c^{+2an_YCO?z=XOl}UNf<3pL|S+T%LMvSis}jsR<v0w
zBT=gC)d;|U9{r~S3LsJv{()6FK|;(g@1C$^E-*^Mdr2aphWv671K~VBW(sQ~f%-;+
z#xMtaNXnM$)!*cuQ>|G-Gwl}fiY!j+yi1%b{A@R(fMr-%sxd8G-5_~VDT(8k;LZ(L
zDeR{!!VA7t3J>_SHB2wiPqXPGo^fgMt5;U*5DhD@=@jlp+a5>HZ!kJve<3R(Z2Yuq
zr9F+CyM}mWj2P;o^_AQG?GJc?!V*S(-M?y9LR!SgrvaK+EqLF85K6BWXc8|tKf%$n
z!9!G8Dv($|?)~;geGEd7k{aUkYLC9m>S~uWGYc_%VH}8N+@SA8MMb3|<In%0YvRua
zfr|!evE2l>)|dpbLl`yGHY+Lu=Ea2U`m&`Bwk(v8kN}mEKA_!YS2JbFTP5UB_5p@Y
zp#kIaZrPt$3bz+snkyiRWrx6p1J#&D{N=!Z=l}e0+m?8rBF+(+5>{3;06Lp}<WkrC
zDag9yf4*<jkN%<iBjFEa@kmChm#F2E=!TLcu`EA`x=%<DhEW+4@j35)lbHi9CA1%3
zGPW2k0OLBQEz)%Sc`|I8+;5c*5F%IY^4ObL0Pm&0erMVqy96HR>5<LIY8`E^89)|_
zN|4ZKlyiiPf8JebOTBBH<%w7o_)JjJrM|-_`4ETuY>ErB;4CqnB#9^fLW1mZ0+~2>
ze{l5wkwpAR#uH)Hp|t}<m63ulNvu;FJpAPo_|^E)tSb=xqq>spX}P)-6yz5w?vJH&
z_h@*>Cn~$?LGeTW>Wc%QkwYRG);A<6pn*cM;#pZ)pW99oKLI@-Ogc3o^Q-G$;f1?R
zmTDt{N?)a=b0Z0O#piwn2z^rj8_+fPgZ`9(3?YsD|G%++h)ms_55gR|EKjwD7Dfjj
zG>ZlsJ2{r3!X&yd$y5W>FRa7=(IEhjHZu&aFpXUkkpl)A1@SqtJsXP*!!dycc;mjI
zsnz{;-A@&~5KOsESoI%!3o%USq8dw6eLaC)qVhmdgeu#$_2ipwiW9=Q;F`a-_1@;4
zAUFB10-0nHvU?nDvkT9syTVv`?ubZ2_7oOY)?^4J?GOkE0%8oK#;=t#YjD6v&$2?M
zqSYA5Xr&o+p9nQTg6N>kbO}G}xNhi*bXxSp=D!~08Xg-fsHypaN;D{%pKqizO895$
z`zGk9-~U!;1BEn6e3p6E+dY51x;5&2+bR$d<aP{GQZ5=bJO50E+iOPw#3x34e>wgW
zpAe6I?B^{HbmKQDVqMiBJdg}_fYIVhgTgc{AAg~i|L={|P6Bc+_|PN$9^9oPt3Fk!
z<Nb3!o6N}2aDtM^Q;4<TT{=<6EhgF<h@{JqeMpz=pq{=aiGlcueE;s(x%9!QR)B^<
zkB@`f9PobegNXaR732JLb1G@MR7Y+B3#C7C1q>}0dIz-&7hzDRVgXZNGc8;B&pZ0S
ze=SH5Kap$KJLOVaW7B5R;3rRikIYr!VyR9D2i_>6XzhQ;mzs*el&xdx%EEx)h5q}~
zzY<5sMSnR)UFc)zr0er6`oJXyV?dk)mu;=ul*#;FtoDWR$*WDERBwC_Rlw2*kxjj0
zT(y4}Wiy??j7x3xtLV70bKAZRxdBA_z~D_HAz&64+znWr(<u*)-Z?3dx1ju_|M0)!
zMS_ftU(BGP+sGE@Wt}#x`!aNH9bMSMxgz_jH&{?F`xd8_LK_i7B_viF{UEz&UQk>5
z-^Wan1i81(9>A&hEXfuG3lWeoEz_oPb1(gGDG*pK#7@Ze$e2+7VF9QKA_;l$?`T^0
zjhT+3{_Dm1CJA?Gm-UV+0Ze@%R*|j>h15wyRc@urH#FI9SM~66zomxTwqQe+P3Uad
zRF1fm6dJ-Weo9P1KCp1RVrIhiD#jlV;|DUxy(?1#PkO->#E_q#KU950d8Bt-SpwDu
zzWJg%U#y&M=olz8Eh@zC51Fo!vSw=FF2;i8Au_;G4g(8YEj$>Yb=e}I@96o=9D%`W
z&=<KN@ZDgB=U%@mfg-1P()}lFO3457DTG!&lFZqYD`-v;SlE|R-nV6+<MJlR5rqHV
zv;XY#U?Yf<4v|@PWG*^3Er<<aLrZSs)}s)pN0XO_ebcEtdDE+L!AWy8oouowfxt+?
zOG65*Jl3JY&qrZdSM}zp3_buyJPQRyt<{R&{o;@G0tlIng*`!cWvq8L?|GZ-pxaA;
zpUQ4|&g(s|4;0d3NN8x-!n5iP*09qHl&-mWpb(m*PzXVj1Pos%+vVlJ@I`k3vcSOh
zN;#+@F=yp2BF-_c*`UC2UL`gK!z1(U{;}c9akkhgOy$7sgq|!eitj{m?iNB$gOdHb
zs;r~qedJQu|HM-O>lPfW{t6^6EpE`DJM(|oo*x_GK@22nxDBi5(##vZ)JQFUU@w8#
zGMk&YO0MA@&g0KMo!{uF%FPA%y*SA4!A_BZ5g$hxkzm4y0b~+X5eJ-)mE?O1q~!a#
z?a{FYxM27c?^m@i&7Kx)x@1eP2MlYfY4&BUEIEP>E~?LjgO;WrdX^$~FyQsu@fCi)
zPDuV1IiyZoo&!2Y0P|$0BR;ZlJP*uqD>exF6c;nea>OmMYrr4LG3HW*XRoNFB-SbO
z7J)gcBV=}H227%ijGJz8^dFUGJDFptZq3V!13<XPeWIFmUYrhNSy)L7+HGPDohK{J
z(}5*rwRc_U`#yPjpBHn`La(pqCw}Kk7s;QmInK$mi7V@!ZRKN2OdISn2MWcnlPjx0
z{T9q^2v$ciaB14>&HY>P`ad>(UmkJdr}3?$Iy}XXrTzcW>pxOSp%Y>z?>9c&=asOV
zSNYDVW9ts-AbdA2{`VC%o|g%5v%XM_t8Nh;!rsVP;}DXGHWVLD{eac`h1d+jXFge%
zM|QW%{16YiP9feCE;VhAC!IG=>t2f+pe#@9b3Xoj=AFdQvGY}ZY`qxf_BB1!V4eR>
zSV+j_`P8|{I&;loewFZWJ|4xF>-i#zm2gz`x48D&&z7^NRI|Yif`bWBq#U5^E!rmo
z^RsAUKyH2z5JwiRQ}9j$GBe_WE<7zQDDO_kYz^jgUTcBV)_0V;KBu0;b??HkqbGs6
zk{TW6^rwBDy79rD#p%6$(ob9SKucwCK%eO8VO#!qRZej4NZ4ktY_V>+3f%OVKw=_|
z+kQ7~GRZ~xS3bZH1?&G^jHD!6`2SZ;FCmx&NN77ZbJ#x{(i9aYE<RC_`h97t;fE>e
zw3$BuWh4T9oNT-wv7TQTCbufjPo)4`Yv}Vuy7q+E2XRNhVKYU34bl-J;D1u{HJBU4
zsk7UKTYKVKDo1@^;`ymHEjA-z^Z_t@c@x-z>{w>}q|-Jbda&Bac-r_5>M-#Kdg=`t
zUrZ9;_OoTf;+~R<3T6U|@OsbzQcSRiasoR<3P0GxTJMPaEBp%~Vm5@l3r)}hV;J8c
z%(?ePvWv&1zeZ_CNi}?njhD+yNa0~;qPA4n0v?>-Qd~*`&7(>(4yrl9iPJO>p(Pfk
z6RKD1>YZ}Ey;88&QX<wfgPi83g1RH4Mn@Vf8|M^I@S)o0jXNfCC{ELX9A0(ftOUTe
zDW47k@@e+_W|t$KqQ#T=9#va*_l^(K>=|<aXR4pq>#6h6%+R&E|FyfUWlV?YXM%Y`
zz}ug_{iDHxJKb{(lFe$xg(NIT^Y|+u?06d`qINc_sB@Zc9DbN_vm?=*h3YJee5R+!
z{t!d~cS~~J^i_$&lVdU6@TB%}EGpV!t1|D=Y`X#Zxi}5pUx9-ep4sz$D?uw)*&EC<
z>MVIduh;|zEgD&ki@CJq<mBISQc|Bvr{8k>^!_MxuX8Rn3ttm?^MwG-JoFTnTlr#@
z^Ng-i#Q~?8M(4yXbI(q%omXKag$lEJ!7pp;Ygc$aKCA?Q<Qk6uaZn|OTT*rgPLg8o
zH_)9f(=)yM@0OE=`KO2_!UW}jmZJLaD>@<)Bv|kv9)s7T;ImiI&-<JR0diviSL%TR
zlkRiFhkk+I_^3Y(AsLDFvM^j4KI|`v)p9DeM=$mE_{?~DQ>))+=XRgo_!$vQ_`7~z
zSO_t>RLJC@u<+DB_ZYi4NN+0y#Q{WzP;6|IGYF$jOE@s<U2<)V(tj@Dnw>IpL8G8h
z@t%;MwjCtmq!p5AeeKd*UWhcNTJu^0WFT$b01A21PFyld)@8d}kn_Q4I>}|a!}HT|
z#LHOkWlERM+}8s|f+pwQ%X6sN!^B_Voo9e@x1jaBC7z*aL-SkAAmbAXP(ET*ud*Sj
zx15%^dULABZ5+2!i1J&KmINgthTY&(b>$<@Rf@)cm7O&XKU}=5oQ_<!6yCp@`)Z|-
zPE+cbazAfQXlI4%YUy7GMSmTe^(}H^ezRe^S*@*?%p~2VySff=u9gP(>b*8a+lxed
zCFY$Lq#MWouG;i{J})q@c+Ir9g#@ktvE2({{kN#SM9gxUZ_CuaxF&eE0Z?1jBn}lG
zzCE9zV^FDbs{$kD_^r|lz7^g^4>ahEN4fi*QWtWx^#h=9n$pvH&Fi1Jd#hYU6)m>r
z?v`Pev&i2S6%VG~wZ8z}d{oD?nQy}@)nA0!iQFPDqG10zXfB<HuEew5B~t=QiT+@f
zQEI~$=W_`(9RkYb#|E=lGRKJ^o&e%hfX2aI&Y?sZ#eu000XkZJ{(?%Dkc{)c$Mp<1
zSaxgQU}~vp`v$3MW&Di@XG&T8f8=S-5ErXk{9<NjUltyKIuOv4iB^=`y_RcAk`==J
zlkx1z#kM=XlP5+)Lyb7z9Eo9%R0ASnW(G^(Jo-%?BXYcTLmwDt?*CFFpn355;%@?i
zap}heTx1U+G$v&TCS<m_bOA4S3Nc{)?OV3ty34C_cP3uLHhourl(&?&kHj@Z@403V
z1aV_|KBDhlBuK{PAJO5G51$k@ik}#e{S+IG++4t0dtM@z0r|}r0Ns_QE?I0Q({Vhf
zJoxGBnJ>cB?g@&@Iqc<Yh&gk#_XoIS+0su2#1G`@tGqn?eV_g&o8jJAI%P%xD!|^4
zS^NqE@uX?DJFFa+nkv1!YgD&8Cu%k~`a`M87;*Pv<aKUwu`Z=C9k9=`pTvA7Cl?>1
z4_lO;7>=hce)oA(Qd0n?Br|Tj&3#9W^>=qTALAhZ_3S**4s>IHiPQ1Xf;BZYMdtGi
zC!2=J2Vm92fOf9{8tMR)J3Ff?8k1i0^E^otm1W=d;Z%ODW@d|LF)Ck>IPVQ>?7&>7
zJSPPm<wTv?^sgoaB%TFrv&|gwnF>n{3a$E5L*6BQ_i3lorEh>VANzfmWgU=}p%W~?
z73bw8J?mMs5b%CiQK8NFLBaW}B5#IabW<~deuo+4Jwc}Xq#v8ODBSSIA5X~Y_Q*rM
zdxvNvyvk)rKVupn2a9Q@;TJY^CB0^@FIU3f>-lN}XtP|FU|;Y#M5ckIE=|()R%b?v
zl)S*(Y?7Vo29vQA@#1n$)Uu6qnvhD2R)<5<UUaS85Y0d)z%bbFZ>hVo+-Od_PWye+
zLszZ}(}%vpK6-p;2<3$&(02dwGT^rPH$VlH&-@^@>~ELkkN%2;bxi43!@PRx;?wVV
z0e#hb<GHA(fuZ9Xv!U~gE97B=I*X>KVL*Les<))HY`b*3>VoVo1Y{Xv4$A!lXQRoi
zk4-X#RvsQ?LX7>%nVo@{jN15jEkOp^ihu$7Yn4}BM8fX=wi?~ut>Wha-Z_+hnq_yl
ztxb-FKziSKq4^3eqsTZHrSAFr>;3UW_U=8H1VChh);5Vf@HnhY+q0IiS50T*M_DD;
z*1)WKA=f+IGho{gE_o^9o`$Egd&xX@56`8uvCwOahyyW7%cNCfNDauj<!|&5{e0q+
zl0KVHbwcH5d(I$&J)puuQWlFV_b2h5YZQsll|&X{U|1S3U_@~Y;0GH=|0igea6pFP
zZ+5DvDaFQXu%l+6kEhovL9V6wSHc2hHDJCeo+Dyx)#3mAMZKty99xVD-bbTiw#kVg
z$-$Gv2l{CCb++L=Zb!`Z&w+JN;%Ao_W`{(r!(g(g0?|+Wns1*3x2Sjy<E9T{1~PK4
z8JoTsUgZ37SHLfZ+zCMUVmAE)<XT72zHxCI+wl7#W9h9^89kE7kw5soka%CdEJ9hd
zS~kXFxlWdeJnwwIlU)qwcTsk(C_jEOwb$FN4(gI5k_7~LgtD(sci9n~gkN5tZu38+
z2SNycoU^?sF|S9Ss|_-9R|5&Y;90WyymRDe%iuS?Mz+H4U`M;>K$bsV^hCMx=Ea(U
z#9BjrS_yu#%S_a<MU+i{O1#NGMt)`3JoP`*T_r9NYVdx4tLqtio@(0fhmV2s^t{}i
zpDC2Le%hI?Os0yK;XP|=-|>EUlVsk-T62OsU3WWPtuh0|It2&MfVul1N4g@q8UcTB
z+gQV@<&i^u%n-+Ug&47o=hAV>JhLZnl_J%GE-!dq+dC|SNKm++1@MwjB9*;>8u$q;
z*j<t*jwDU43-w#qmP<}NU}@`%_&5H_e&<ncWcYA-m<16upj~y#3%)Y!_yd+WSRD9(
z09ltcV0689R8u!V8b*xbyJ}kCw|sJ-PGLK=AM(C?OuQM)m50%;g0{E2<HnjA7nH}m
zisHqhRoMYTD1k1qnDTu3y-xRWt%K@;Ontxcql*=@%wXXyp$7wC@V27!$}0rosw2cH
zyFS<L!DRaU-*&(u_4aaX-I6wsKL>8%`}Q8r_gmZbmc2hvYL(6(B=xO!{ac%HMgE7V
zg5Mv?lHnMW<LAVsfj~v`nemd|^Qq~DO1s%hK%;BgtKn!B9%zOUa%fW06(GJ2M&$Yg
zRf9M{;LY<209uG|OVE;~GQA`UGhH)A!437!eW9arq6D5khra?=TrB;+1owPWt*0GG
zmW`_oY3EXv?Qc%xo+a*2;mHBFj)20RwfOI~aj~PR1LZjL(=%Y2<|p9m5JeJ<d=`+f
z5h1C1G8k6EwZHrIKECD(BJs^b?<M!wgvfb&z?%DcI~f>_EJU^LIYF!6QzLv)uo^N7
zyr2FbKdN>bFw!ZM=rvK(_xrzVns>jY?O>&vq}PPboJ<Pej7_Yq_gnA7sY-BNRVu=>
zdn)>BjA)a(hiK^-j|DZKY+JeCvCWQixPtb3N-O0q3XGZ!ZI=n|lP-7C3_CUIk0Tfj
z8JHGqS$M0pjmKWV(!!P-tvMw*!lJ{rwX!{2SqakyUJNu1^AoPtWHg^n+06i-n8gZQ
zq$i+C37jXK(<zX_kV$$dK*?v`OekL#i&H^0uxi7zTyhjY*Y=c6S1f2V8O|0m?PWKZ
zXxQErXrp>a;l8%#-iN|fF&uTe;CYzW!IK5@!GdR=NR<6+MfoVsG?%gO$Tt^c@?1F-
zdPYA|LT|~9V0ty@_)u%R!W?T_;G)Yq+$(Cf_&2_yS)^t!?CBa5oqhxRDg;XfN*)~v
z^Wa^Rpay-~c-K31XiJ_25$A)d04Cx?g!iPSBo9fBOb0P_XmMkoeYsZS#?khCh%Q`}
zrYB`7DFP4KKqp|c@Bc0Y?me5XB?j@W&;T<$DYKKOLaUHL;C1Ck9@Fj+xSOkpHQ~v1
z;<=`2*ti=E(N0j%FC$Y>;Vgr!!#E*3*nqIqXvJ?P9++b;=^Ku^z3gOvGpRMUT(lC+
z%&a)lEvvam;R`OcRPBPfh;yN|JGZuftIIHmrx(vA-l$a&WV#Bz1dOHg>UMRJB;D>>
zRPTI4@P2D1beO&w7hJyB46-JxRD0OK2Q=8!O}l$|Ooj_oe1d0s20#44(w@)SrRl0q
zx*u%ial`P9wfp`0ug_DhJ0%+{(kIKrDXH(t$Ranko(5ycF8(^hU%WQ5wqqKZ8trTb
zWp<^;YO{x3r1Ls5&Huv5^a#`wg${EB+?9jg1h_Mm=DpbG?e{1Nl`r6#o&qCviCd6R
z>VbNLC#dg}{5a9ly`7EOvZWG9j3P<X`k?zgNG2PT)kwIs+?)~3YrG~MN$hyw44nw+
zt#^N>?K>noULLF5ZqJ*_bgXZV_(AHA8kjs}#H+RG_8pHov%K0{_73tmDRZ65Q@E(-
zg4W!<aiMhBzm%PML}c){aAUErrMmc~H_9lM8Y8yd^=pu}6!`$;q`8}7n@zu|0VWjp
z6}^Xbwmlw$Ujf_Vjgob8SBqHd8&{yB3bhiBiZsbP)M_|Do<{0)&hH~HZYWAC<6WT<
zWiF`|bYC!rB0M%O0n&p|w{SIDJHGw6pV1G1pnjdL^59AH)^@zW%|{TL(M_y)E&mO~
z8d&34Z{V-_PClA?Pv({J4xiz%B}GPBs!+{m7Y0cJrG9g`XhOwdtr<AKo)pmH_!IA#
z+q&bmV)Lyccq|YJ&tmGg$#x)nemUM`c8{{lrZ*#e;*oy2xaL@hBLSYpYTJ9O>uCMK
zL<dGi=Oc;cS|K>pCzqiW)hSdY@DW3o!}t(8Bp1S3!#4O3$c%haQiD#XlO_LVdt+>8
z4H?NzrJ%dhX#O0Q0{M4{-QmQ(H&5t`mv`;><{6Zcgi4_vs9W*g@82MPc5W?OcMK@X
z^BWKUO=V>K8oEmYwJdSZ(Z|CX*{mF3O|;dZF@R00c!$5lVDNa`C>RoL64#_qYB{X?
zPNPg`aHhq*hu|INSQJ?Plxz4W&CbiyG=SP-J=*+CY`Y&ZBJ0<+{~@h19sL=by&Fyv
z*iIi#Pxl~Nj0Om|rB=0FJj%k51=v8|&-gDmg$7A{t~5_Wnh(2)>k}o)_8MYo_xRid
z@IM;X#o@4^_A&dKPso<hGRW}Zu^3`pxj<E;4t!s_!}JEmv`m*>LEctd;27H;;8H@f
z!c;mt(DjHa!JF;(6OOx;yBoML8Pw@S%7~cnVxTYXcAUir6}9PTfFtRcL9w7Ijj?S%
z%4|!LB~lfM$nOmtYP*=SLtJbPrYwfrD>v@-?|rBK*~uZ5YDM@^^z5~$kA_t%5qqgB
zhX~tRw8zsSmW$PkV!t0|Wyp(w{s2P(#cB%`7;|F3A?CJ*&$%{B7(#-@VF~LWFy-a!
ze;rL<i5*}+%Y&e|yv`=jf_@xWUF5_YZWVU0Kj&%UeNYFHA#Oy_Zh9=RR3A201rYXg
z{tU1RU?@I4_eFH;T@z;*Uq41?go(2o2?sHJItcauvj?A7%WZF%*w<DYLV3&gYO-iD
zp22*0+AVf6>L4D?Dyep2x~dBHl^7CsVpwJDf(f6Onn5}Z<I8*gNZPITlTlCWDJ6Tk
z_pczMSirRS2-B<0%X$8WRhvMEp2+?j@H;G%$apAXm?G@r@6Q>r!Y9O-*<hM!ZI`%}
z29p_&&QPDA&CQ@Q(Q<Y6QI0-%&9=1;Ps*_jTLC<3xSWR|k=P)j4kXPs6Vth}Vi;ez
z4FD-24mfQmt3}-(+b~J|?yqM*vsV1haJk~H?w*H?rI-qp!m!U058K-^F8tgQQWTKj
zO4X*9MUD~boq==DXVrO2LB^%$!Cu`~ZFKx8wnF|qqaPJ%^~+?*->B=vP>}5Wrf!<9
zJc{1?WQH-niCTAFzMBot{#hinL`GFYUgy*PIOoDJY~7+@H~@>UOPN9NPE#^(5xOt7
zq15Umt7sLr_cy$?3^Y+Ei03xFBMJPnZGvDr*t`NQMqX9Z>4%PW2^<EE?osRc*1Qf@
zXjOqU{vXz5c|8dFa&#<PaB*hw-L)dER*p56rpXFR^R~OAccB<4ErUg`>C>5`_|D)j
z$7p~_#1AhNBa&bt7(57m`&zy*M_sw_73lmk>qnPX;D2Vo5X4037oEzGQLA$aL3t1N
zJ`*Qv$TH^&3`E2uCY85ZaUCd^Kvpc2qYv4gUHB1VjOX%7tyGj1?6{=2{`P8jLYKmB
z{j-<3#sKUblKL%M&FCPy)S|AM#r|SL4<{^WvQElC5Babe3qplKN4HlSh=T758u1#=
zSN1u|n<wID-n^f)HJi=bP8K*QBV1$ay5gL*6R)$%Lb7Iw;Vi7$jlyl=RRD4&N_raS
zoN*vRJ5;Wuj=u`M23PWK{Mj%r`x9>G`&$qS2s8hCL#Q%tAcv(oPNVTk!@Q9dYgIbF
zNsUpmb=zAF3hL#GG2e2v9E7@e*&8C#igT)M_U;aPj(&D1L#u`N+tLM=9MO^wmiXXo
zt140|f{w>;JitlLzPmWc`g>j-x5k$F{5h>|%x1X#=^L2<E?beHo5T5$tVH$90MU4_
zGmA+oySc^6@Z+;W$3}IX;Xshp7+27$ucJcn!1X~!t2G+4Yyh{1(w4iEWrzf#)gKrX
zN_BIu_?_qO(D=@<Ulof5m5<_S^JQje+rwcvcww{T?poUd#|7phk-7C1xA*I*JNT_S
zbWn~x4<-cgqB6^x6_(uM_<iPoB=z%;0brqioqgzt#&%%+<xFf;@-aj%t)#>-x0gai
zKI29|UIqKSc)$4<VX(2d_FyoB3VFI-=X26f#K5wTqXR@~`QK5^SK>NYmkcl0vmMb^
z#wE9Z1v@a`!CvB;56%yTmpCmGfY^sbsLLL-W}ZY~Wj?wAVkHdU$<~j4kf!rNix^(}
zT;3Dj@wgGW5yRwS-FJJT(>=Y>*MP_q6+i{X=se7`b{aY-?#k|%kd?kn2|ACRa5<3<
z^PSwsewK^ViVn6HB2}}_SlL{Ig!VR@a>vK9Ata|7{&J37=WQlJ90cQ&GoBXPiA}3L
zRGze7-b}cY(-#$vMdh`Xrd8{TcGPhP=DCvfRZPGT1^v!`QkMMAvvswRD1CIBF;X>%
z2}SCR4=sYy>kVq#{ca#V5pnAH7oJtLRZz%9f?h0)_|KW5Kp9fDtc5Q6-i^z3Oopx0
zULCVuL3DB(ugT$X3~-AV^H^ZHb@F$fkUrz0h||5?x^JHihkBP)Woxz09W3Q`!cfln
zF}Rs#oBXMaWHPG?{zmnwVXi$iWN@oos&Zq3<cAB^B`o-|Fbae?sDoB-*NsJLBMHUa
z^;R>^$z*OT%DdW#cRY=<(6NeapWWbgKNupU5K!?L2+bGNyW&-hcnES#kL@stuc21Q
z<tl<V_U;@_#y;a|Q|7KM3{lhG%tUNBcfHyX$<~kIBF!<q<Bz%tacnx5I=PeLwtAvT
zkUzi-yZ^RAdG4kU3rl5C7Blf1IjTCcvg1u<t4E=*!GJmN)+FWzfpeW{D%e{lQw&*n
zQgvORJzri_T$2@xGi;+YE4cOGDtI$g7(864FOvW9=3tQ^O7IPaBbc0062$Pgo6dq$
z!nn<oL!E2XRXB>X)9I7y(nEWkeRFZDty9@y=-C*rRrgD#+m}bYaFE~u`82Lyk?HQ)
z<-r-)Nf`)qlxR4|zvdFK2T$vo+~Lq@znnmi$H>^7>SMdO3M#x9V2?bCNlQ6U4^+9|
z6JBR<OH&y1m6#{Wtv#JIC#aV7GvV_%K$y6`g}8(oO}C?ikN*X1Z2f7e6dZef4V}#}
zdDsX26{TvUaEaHMXZNOhLD{z3P<yL(yOHk8Y4@m&w%Zi;a+BRiq8cc~m*Y?@vEeV7
zrn--(;tu^U6q!3!uLb0Vs79q58@~Pmr(enxu1s_nEm#K*CI>Q5g;!D^+|C*$nv9<N
z%%}5UD_z12wHwG}%AkOn47$13`$*jYMb-XNaS;`o(ef~Xm-c1t<W)h{R||yAwbpf(
zv%aJRU&|x!AA%@Yh+QX@9ep;{$Vxe4%=Y1o=!~|XnE02as#TWf=$Q<j+({F73c!dN
zi)R+A?#X=<t<H79#<Qt`J6_@6=?iiR1Rof2J1E>N=#0}p!GK>pNM`YsFWfq~O9pz`
z>Vy+DC^<3>!~?{IpX;SrHK)3M^Izg|6ZSk3Pyyuq{Xfa9Cd~GGCWGWi!;j{M0!{ms
zX++*9BtJ}BiSni6*$(B>xP1R=G~gy;j3ktI8AJ&fz7Zz$akY?9?>{Ox&~s*2D2R1I
zzfj6$a2Qd>abz2m(Iz(0!;EL0`O_V%b|i(o4n%HV>dm|CD~hb#B%yv`09_N52;Mjw
ztiI+V>zru}bC9Bs+GoImx!xN))Vh%SiIbhScB7+97%RSSV(b|z(QLQ9JIR^t)%PVa
zc;NBGAp`Ew%05QvY)=bDKZBr8pudHRhRg2gvv%e+<k_P!Ca!WtXhZ!`%CE_t$m~+P
zRT*-ybe{SFe<Y!mABf$9-&DiM6B{I8luDGSx3@;TpiTfeoK?Z_7SQBlWpFYal-<D3
z74Q6QWNuI&?2%*mho6scCA_tD2>KH~Q)_8&`Pf?fd-5~LvuDgbjEVT?%bs!R2wv(?
z0+q@iLBgsC_brb4{4(Qr6WxgK*cQ(x%(UNcGwjb47j}YOvy+1Vz)>`vHvQtUguq%^
zzh4*Vz$p#zF!4lxzu-@7iZ0P^r!n^6qn*>#8&1+)cDdT2t}dw)J+p5J#w+NIFiK)K
ze?u3Z<W9Q}hS9g{TO|cwo2;=;2$EH9kTF|vyhpB{VMXCwVOoN5KVUg}oEPi|0F?S=
zhYNKHi1hR<Ndm4b7`w<=GIdET+uQdMvju#vSHa{dv!)A8<!TacIuLZOqYH~p!2TMH
ztF~O`xIR1Yo7*SAn?|DC%@z&1JZ4<qIyA|+R;Su>QL_!k2s>SRtgKTM8~mLJmXRY4
z2kSkM6XX8!GCR(t&Z2KqTYFk_o-duqW;WQ9kjx%-eee<>DP%}!_2nDiK6gSY$E$yY
zzHs1uh57vVFW)DE!xz+O>1uYDJx%asmA!OK*$=XVh|rwP42<L=g??S_R;iBlm}Gb%
zAo1N4H4WJ>4cRTKP;%*$Sxxh+E#L9m-fK06L|dT%zO!H`#G@1s^4`#yzJS;(SCMb{
z^wQsS0b=(jZb6k0<#f|&Oly0vvH;I2K7kBoG{$x=LdK4VlDg(t>OZTJaK&klwX>s{
zr{C|tHfNkH*2)KPxoXns_b>CGol$VxPoa1LN|i<YnssK2)TBT#B6YEC=Xieidt6Xt
z!FOyfIRuMN0%+}L>@wuZlLP5tlnu7Kw5z*Oq&6F4rwVY6sPl}7h}cm_;$Y70QyJvO
zAE^cZj_rkD^Ke1yLE?Uz*6V&;&qDna(Xxa~$(fkPi4)<Tq^9To(IAvYQ$&f7dXm3a
zKf8{Vkwn07A<eTUi~pY2PW6E%YQu6~v908rIj8Gv8aF0PNTk*1FJynb+7*3ubNs85
zsm=el@^9gYUl-cd@ztV^XOuH#r!gjn2Mc*sthA=DE$DMou#d~xb+%X5p9Vqs3L6EP
zxNrVOch3pl7eP(tc(h@0nlBE}trvRJEm4O~PsF+d3(I)P(!S#q))hXSO{R&Q@^bk6
zgukZstN$?IL#u=IdAAWo4951TfxxlpxXC!5JlJ})*)gx-vB3Q;nfp@DaD`8uL<!cj
z<lMb*zQ19O0#O7)HEW~e@aN8LwMY+~POCw)Omno`x|8A0P9tSf&GSvG$cn+LC1xj%
zFfDg-Pp$6ImQnw2X$m-+orK?En=dj&inXLQu4Q8j{mtiG$(eeqna5T7k6#z<w1f>=
zqv+}q>9s~-1Wmsg3{-fM>Z2se6E+G{u-XsR2W=r|SZlg8zE%yyUS%j~)6Q`@(hQ?Z
z(TbhvUh}}eMgGFNw{89F#B$pCe%8-A-a%~D(u<lHpkmn)N>xY)G+zDQdo81z`&*(H
zUcA<|bbmA$O}46XZkL$1tFdKkRI-ysb`5z?<l9RctPZHlRvW3?2CO!Eh9XZQ_546F
zmfGZUcu1-?zK&G`)5mqc-Cqa_gG?}{=YgWAxtSIW&BQ+V^ffdRt;Pj{3w`CHt*Rmu
zp^~dO7IU-Plx6AdId01=))H^JOs7*Af=7O<R$h=z$}EDa=DTY(;jB!VCVj-v7~JR1
zOsl>;Tgz&TNECXc$*Hked5}`oa%Qlse0{{=>|ag!aPVlptpi|kGIvStnxP(R$uA`^
z=gS5iYKS?!G=YOZWiM7(k+Mz3tt2)+iym9*oN)9T|9Pb+wR77VvfZMv%%QH-3Ob|G
zsi><?adcZ_>}OHwN@pj(xUpM$y?%ity&;N>nO_TzAqz^q9*tx^E|@q0a`!HSs~*rm
zioZ*_-}`Dz)jB`Th20j@YdAmid-Kgcc*g4g+J?l(xc5M}GKzGxHpfA~X+p0%Lv~#?
zs2WJ;U!PyFAGt3&(?SOwAHsc3lPw#~E08ba<FEMd=A!b|rHJN(7qZJ8Nu?NnwPL!L
zU;g*jOAHngK@w&77F(wdY&-;C2RCSw7K}z~TZ2)azzldZp)P@mea6;v_YIUb?n`A&
zUN;1*mP5D7hoDT1yUh+u)a|CC>dW<X7^D#^FWYz1S?I|+Te6!YcmAWfa)0r#1nfiv
zTP#5f>W*`6`+%WtRbv!T@l;3|_nCE*_*VYK8Y4(ZF}+2PJ_ZhN3D<qTt^3Y27Q#oP
zN$NXr2i`g0jJLkO<-dXLB{W#heb_p^4D)mr6XLd^`KswJCZ1{zK61n9jAOme7`2Z+
zNw{Ch(2c{g#k$W#+HG$`IqOG|*zI~{r>y+a!{ryHRH^_k#|(xJdTBkL(cVu!{X2hz
zY42>G>G-;0q1nFP)-sm7R?P?nUVdEgo(<>>8qhs+8=S$|Qq4pc2jO$uB{l!-<*vX~
z2mK2`gDnJl%>MSEEOLSQl>MMa5U?)mI$3TcsxMLP6-;ex`D(*KtzLyGij8JZfcgUt
zZ{soU${Fb(4tb%}QA?#tK{$4EaI<GG{kFN1-4JRg(IoH9yzYAIbO?xr_nY^1#O|%M
zzSXIHv#pF@4=%<GHVwFE3xPT$Y#n5=#9MJCB_o@xlH#>3z9m?4HVuj|RY~r-?TaYs
z)LkW8G)UMz<9Be5hus9$wIc>y^n8<9I@=~WI=%V=@12aiszKYBal*C#pS$^!Uaw34
zLG^`favY6LUX406fBg-v32_{5+qhW5G|invQ{5Cb%Y20ZUzM~B7rQo;_cqpDeiR#a
z&aHfpt);Mpa)9m#JH8*;n$vaM@bYuEB*YC-!{Cf_J*>2u!S1|O?I&ZDL<Ii54oA8f
zx{l0%KCV`WCU-T6126Df68i^c+w40mZTDBpo6}`@c+3~$CCf3}p>F&8w9$5p?+DVm
z=1~N^6qTra;=iAlW7pZYGNr8LFel}uxv@ftz27_*I^RK5%C*fQ)X%heA$#A4SzO;<
zUhf5)+-5APlq(3&+V?-%`tPeH+iA=t^WO84y}4cunTU7IXwhAwbFR1&;Luw2bUbPI
zS{3Y8ABS~{^R2s_VY1l2fQ)_lai%*i*-{J+hcjZl=kg-%R(s831U^ztGS;*R{zQlk
znsc)eo{j6G(rov2D+x5*dHh~T7en(%2`INq|CKogibwx0x5IuO0z)QBF=_77nRhv_
zpJK*6P5Ey)n*}jN1}bo|HJu%f!lGjBZz6LFe$A?1zrCxf&AF9{^>)u9p>1E^6d8Q+
zV`J0brl8Sv0p4o;;w-fYIR+`#x_N}|;bMNcRCQEh+)I?%?xsBHb`iQi9TE#^1>X1a
z8w?t={2QS1<k$*-2`NQ+#NfuVPirAhOrxt~62anlSwmyM3^mOkEGz6)HH8Y<=hNR1
zndF`)4Mf|gTbZiq8GC(JC@`)5tnrii*Riw$+6Es#>6v^^j$E>n@o$|Wtl`x0@Ot;N
z0trekXzHyI!UT+OEY7*R=V_zvyxu=3mreGp6Grv9N#N~*TLl=<%`cEQ+7QP>UL_+p
zs_2d~e%rFaml{%f-&GK2TP7IJC#)RejO%XY5vuzv%4Y|pk#VHQis<;qfM{70aJhg`
zMrMljh3<Zn5u<)FpUBD>ZN<kXso><aUekvViis!7hj$nITsP1JV}BoH)k(Efoxn26
ze7^tdn)-WP@U~T$mH$$s^|5XJZd~{AAkh3A<p&d-hsU7#Y*kbenmQpVhF=9+Z$9sU
zI!s#$iw<VJ*n$Y?T$vceT%$9;wF#(gMk<zaYW(K3xDLalwzwL5QCeAI|M?k=a-a{1
zY`*dxetlenI6?XAfXrt>_Dfc~)1~@@sq#t`!<`XIQf~Py^Ew?bZ3;|xnx!I__4H%H
z@GxpPN{g!d@A$2>P&fVC<8mVBYw!W<wAk+}VG>k->SP9l`Vl_pIZJg`MitO^UZH*k
zKoTz+B*!m=Wrl85Z??Ju!zw2kb=`8v0y#JmLngU<-gLgO><`*j``7d76N?I=HLiU+
zO8kXK)x8tEQ5nu~9D~u?qMU)}@CoEwHw(_#WO?3SW9Y@RW#`PWM9z9{Tt^-_BH2{G
z)^ktfo<QwgM~r@d_daoSe~gC3&@wJSnb<3??Gzq5=<57v#Lv86dVVo^BY*L?@w(4%
z1{)n!TFT4+Fl>6x9~w!oGflOwM#}fo`@vj!T+_1UnngvhF9#4a;@DTv|7d`MM#5*y
z!A%x2{$2i~c23D)`7N`FIJdP$yB#{kOG8yvMr?Ds?YyHm!occ!x$c3~_0#oB_H(0U
zs)`?G0V%C=97S)qpsPYr!=7_PAvRFuJ8^s;urtH?c{rt9q*$JG(ua^nVBIozjipwR
z4y{~zu|zSK(5tTk)C|+cB_AWZuERZ_5BGH@b4~Diq7GS1>@<UHd82g)*rMxFC{V!o
z`aBB_NpXJLam~WXeI@&y$<dpd`4VX^_pd?{kd$^2`F{QZ!ou0)#=04m+YjWP|E)ZU
z!SwQBBgQ~M&&jOiYBMnk98Q~Adp=>0^4fRC=o||?AzO9q%4vG9Qq?Y)U?r`b?)lqh
z25r|6F@$|y<cDYV2p;d`ar|kp<Zhj$Lm<d{=GykMbv;PWAnGzo+1Y9{-+)eAK~s|~
z2nW-I+(R=;>Wl9HAw&v>isBpC3v1)GSQ#|E{~nxuF5BzexDq9Yi0gZn`1`1a`VyDD
zFQ3>(Wp5aXHbL*mT5vlz;@EdvQlZ#FTvMkJrNUwvlpGEd&gGM~%riHmeF$=}w~5hN
z#y$~c6~vhLTc}`Z9_)^~4f82XU)#QEbB+z{%IgSUc*+xQw5%qs+d{sD_fDvdcG;U4
zI`XWF71`9+#jE<dI8t3f&Zsc=raz(;eNorO1_Y}T%B4T$BBn|09<0{|6tz@PCRpms
zR;SuJKU=wkV$%PlyQ#(x^`w+b2?uEOu!`%?6T#pvZbmGA>H|CotXHgU>qe?ufp~<H
zhKAyG=JWlds$+|l9Vubj?QR=mtwddl^5GbhQb{NUOzWjvA~(QjL5a&P%?;?c7khrd
z8B3x;F6OYK)}-g*3kF$bzKr|Qen?cSU@frh+J&|<54DEWi)Fz>D^yHVQ3o{k1zyg7
znMBYQWVE;V&uIf#t;oU*oTyiz4Q`X|afxBFRU1qkd8%_g0QPdf?p*~&e3kh!rX*#*
zB>4qZN6#TvrS6Mx874_TgDthn_p+?sPvznh_BR!mE|>Y7I}_j7ET;x(FRDH5E7Dzi
z+mA|37jvk29FI(=(s&$))m(otz2mjrEr|g?Nn582g6}UQ*w2HnREiQ1@~Bj6E`}$u
zF1x$?7pINa6V3KP0fI<;8}wc+H#w$dlJ^YQ{7<-Tk8|iNj{Efeq39zzHHOJezgh@n
zQ=P@im+G;N#&E9cFoR?aK^RA;TP!*0)Y~-sbu-DFLej@M!q3MB!tMnIYH|mw&BEj!
zoae0!9s^Zuu&L5gm@X}AEywv;k@CuzwC%~uP@T2!_&885+ZG-d%grhI9=iAk@nZ0f
z=NKfOohnoAdOH&LnuqUD7_a4$9uk_)Te0l-y~2QDfOy&P(<iZBtP9VYd&Nq{eogSH
zK0uSzxSzOCEmWg@&zX<+O<amv<%Ulm3+_QWk-=BT+y0?>+!smU<;#>r60=^W>_tr-
z-q?a`WD2J?FGc$!$67jzRR0@+eT3dRzE#_OVSS~{Rv_mJ8OXB1p1c`~|0Mec4$7S8
z-6LJISGicKlcTJghSwNA_uoAt^Y@RYoMoLWCHz2q`E&y=dr6pd^(Sne8)Joo1+gi`
z7yIvf;LG(cn@D@@K58fWx~W_6cYK#=N5-05XTX_VixUR?O)_)M;TEmr_BKh^^+<-n
z<!31`Huy+yi&z~i++Bpry+Rc7a*2<={732=NP>KAAA>M$bXxSU2q6y<^tqfbpi`(2
zk*ZuAmdZDdSeJqOu4Nnjpfxdc98NLk^{@z`)zntVOX_8Yl~HOu^rH#cOZ%ob-*~#}
zpQ|6AV-bQHJa`D>HcAs{GWkc~v&mw)dP8)d-%yj)%@^D3Nyt~m<5W7gx|<$BL@7$$
z{W-{M+LzG>%T;xR^lKcNu&%6UNyTcFGCn10t-02XxEoxyfqc@g>fI(58{Z^&!|Mb_
z@kY)Jtan=R3y0%RR1^u#9oqNMXHOouZ)>f1jFD}^bZ3Unn%)Z-jEW-Nj83-vn@Vp{
z-w(*p7T$#;Zc#T}uH;q_MnVj*XN$;F9L~e0YYu)^mag?u*Zny@vaM!fvl}avYo}JK
zz>KYd;Cg$J$v29g%nif=Rk&aCXMPA3AXT6WweEaIsWtiArA0betUO)ap_nb=>hZX%
zs{f+^de5U3^?sGRSMB6SjUji(g9i_f(^146VGQzl3sCM00X9LZ+rm?DFrUlL=JUm)
ziPl85fx7{Ho@R5+Le(ZC3b9Nax_IxF6cO2*o?F80NfVaMdb_j!;nh0x#g+D6o9AY{
z^X>unXa@gK(^<8C@ZR547Cb_)9VwLP9bkqg9~Jy#M7U7MB|6@MZsQQK6PM?bEx2LS
z<kXO5<C-A^XJgoN&9b#OO#RVZFHxy?4|cT+%hged%TqD+Wd&X>{?*xJZYqqCwou}k
zzfHW&SUfFdM+PraC;bD#=406Q#3tG0TG`Sikhfr^u$%jt5p{%-h)QOE-Tmsa@zxqn
zJTRwNu8whYG>x13w&=I!`Gm8H@r>;}M$~hGqM9w8D2MI2`nQPTF@a8tVa{?b-a}P)
zqw5U{aU|bIzdN8&tj&=glTj-I^wk}g)_mRbos|j`*YPyMlvE_Q*Kc=>*&ceXUaePv
z4_Nlw@`nawC+p52fHX=_$_YW9{}K7C3xw{;fG>EE&0V<n2*a7(>N2F5=}fD$>Wbq)
zIku-KMYWX@`t|_7UVs5QDf0wRG;GCmcSF2N8umfP&zqubQW@MpdJU)GqTKe!m(;5@
z6E2DhV;m}cJ*IhW*Gld7l*P{Dwd$mYJ@gfuSN4NF)V(BsF8~_BK*R;XYU1HD0*xSH
zWbljjOpP$Xo>INc_1gj=W`fl4nIVMGY71h5D~A}JlQI^((lOI!MB+q+C}W-Za{r7(
zf~TQ?pw0WLL>H&3nC4?2&+LF5<Nd+5{N_GUCx_=Ix6r&7Fh#4k7q;?CYGAhe{HMVb
zdOU%&H^{peX9V(*1n||jrPw4=t-#s}SFF>;hBoiVUCwGcN6O*2O0w%myqAk@kK{s=
zzpt*wkKyZ$=g1kZM=0FyxP#o23vu(c=Qaq<HHo9I-TKKUpdIPY7%7bw{*QtoLW}tb
z*?nX?Md3k&o`ll^Pw4Z*Nm|UNKFyr@vsvx$1Q%nlEoj@^bJe1}D5H*j;7Dt9Dz$L>
zo89>jhW*djB=_8a)MRvK9Lt?S4Ta@#0eM=o@O@I>HI9_j?%8_XAN&3!mZP|XGEvBm
zh}kafB=1JU*$)0rBT0hh|0A4@->3?p6XboB@&6R!rx<-rU0wR2N&4eM=?KmKso3Yy
zfC^NGx!(OO34MiOyz?q)pajRV!b-Z@8HxaCf;yNW@;>m`FEUl|Z+F7Yvd?GZ*B1wc
ziq$_?KF`qW{K?B70e!3WHG9lT-(F~xXY^nyFI9tdk;Y_JPwm4?FdM0Lz2SF+Njlua
z883f7?MsSU6QxD@g<w7Te{_9iR9s6FEf5GA+}+&?PH=aJ;O;iKTX2_P!5tE8aCdh}
zaCd^c!<*cDlP_<r_kPV<GiT=X^r^0@-nDBt?!?R4yORtK3>CXZj9{{herwn;W4aDC
zh0M2Br9-3!d&uRk%xBjn^hPhIEtQHbqBycRfDb>#)j7_6v_?o5mKPciBV!#rYLfRg
zD-8u_>14Ye63ifv5ZLBc-*`>tS-rcmoMHTNC_r<fCGLCCu9v8i={&6JaKH1+>@_|I
z63tsk74XZwKPpH4NT^cm>;Llnh?}DD^i-(Upl9@Kw$a^p=iXmTI<Fb?DKsX}=w8|V
z<UYj&@a$N*L!c+|Rjr)fuD3c;vDf2j&{`IBrefdoBvUH?Ga5>IS?3d!Okc2u((>!N
zW@3jcgM>|Q?Wn{z;aWvj^Kl*To4&chY);M)-KjUv4{{d~(MRTfPAL7O_g0K%V_%HR
zJ|C^N4S?mHmDqO(?do-*<}c-Q95;uLblPwXKg#D0C272qaCdh_lK=`IOjDeXFWHCf
z8&l6l2nG}Bvu6=RVlsT$SSclvZnh2gEdnv!!E2-L&ZE*&Z+n=GhK}fYYOTXH^a*1@
z+#!gC!ghM_Mn-%No2o`pgr12@EQ6h&b>hy3<-j=YljSCs?XTe2<XeC_0^_K&2m%r+
zLh~w!eQOCstVlVH&2y^$jTHTqT;<?|e$#nHfUTOQj@-i4sMm2FnP3+tLxs1%sW|`^
zCwe&EG@3enGi;twPY%S8ijYim{$#cyvB1G{3O^x0Mw%CLck)PdKK}W@2#2~7X3~x|
z?_G0&Qz+&bUOF(*i~`q&fX`1N2HS2K9n^mH9j1VqJa31(o~qhPgzUsHfCH(ar*B6)
zRxjlfW0MWG_YY#Ww|r}6z7I)Jy6VfUX4s1nRlCugl(}V^B>;XIg5B%GxxR_bRjWk_
zwkkpT{iCHl%}wA=pKrtU9)^sH$XlfMpl)fzeRFyVfUNs60Vqvi62?OrcMk%BzS(oJ
zLwCMW8!M(*hX~>y3H8Aho@X?EYPlE==r7F9oI$5zIff>ZALuYrqkXutluh*3ZE@+J
zWzaSq9dSQA{87Ve=EDsQI`o0Y%<luz#{z;kkGFzEO-!#(H4`Y5Mh0F;@hXsZAeI>m
zsmPLg^NjUeZfJoMJ?Xi3hi9*a)5&Bs@!pr`icYs1*7U|#6N79_2ED+c#A2hV1dM)L
z!!2=_KI!lFMjtKf8WFXBw#_Qms@2=z(Caf3fEtTXl0oCpL6{CETzQ-=Rhc<R8A(tG
zy|E3Rk#@4xYIK0TA>g8)tAg8oBIL^HFr2uVN>J4U1ZcI`IXNL#*}Aqi>Xs-9IiCX3
zp3X?1-Q;|nja!We7|(EXHb`O53c~I^Q)|18#?l+pK31JBN2H4z|3hB<7i&Srg=EeA
z;B^8qrp431>6wUz+f!7o`U{AG6bP8P0E<A<yBj%Y_NYo+KHcwHQ?boOg|UM$JLyaF
z2auv31^L|Bqun#j?3JvXx3k3#nfoH(w7jJH@JDfYdB+PBpQLUrZ}w=PCJIQ|Uoe-C
zSOteCK40!_H$H7K8BGkiUM;Y#GqE5M@I}$a?<f{HfU8IxK_4gwghUc|9(EWLuHE}?
z*aN$DpT5-y3@~&&`PVfpN8=iChjf%3-(QhYXIFwzE<2|1mTD+=LqGJG1pEXY=Ea;0
znZfgeGz_T>eYNS}2UgWar?2<rB$`?LPHLFQiJv{Ip8gHpZdCib54fCtj{@GIhNlYM
zA_ShBxpbkVE%fXCgs=0DG|RFKj5v^G#F5?6J4RFCkv$82rbF4h4O>4y5^a^QzG3-l
zjikc5vUh%G27H;hF9cX<SHG`784)zoc~g>p(C9x~BF=D1>I}B<UWyfFzUij25ues$
zOYQFN!Hc=d*nEqFVtj@uysARaM(v3{DWI+;yq%3=WecCn8z$JU12geKFMP`9;TwCE
z=#XwR<PE+d{J#9&WS5AU@AQx8HcrQ4AcN_$kkp8nR|NWgOk$V5Ryx(qV|+enh0p`G
z6I$;t`&@E&7$a}(9+B{wEBr0$2H$!eS3i31kv^YqQAGt4(D6GGDGb-!zB!e#XbVwS
zGz#@P@qtM!@(wZW@TI}jqNN!2pHpm(%)1K<Ox+GCDVcFpz>DT1b%^+ot&fE=EN5IX
z@NkVMh-G#|ICK*lSh>3CXnTKwVKJH04xDv9TNm28h%~}~o6d1l&nJ-#6tFn?aj`eS
zB-_1Jz=<N|4w!QR6)#cP30U*+wT{DA8pzQP6Tj;Yl&UBdJ@eTgdz>V41rWG#^D*6?
ztVAx8dfvJr4lssn2_CYQ-5O1d&6_?h?d_yrUS))haTVKUp71wb0&Sf;Qgnm(V1sK|
z2X4YTV~q8y47!36iiTOniQYEr!<#(C4A+JDNSEo?18a?jt??%8>9)gT)5a3#dH3XI
z!61FZlM<(5XS$~&)DA^cQ$)r)jyCm}(mi%1&+$$T@1EJ5Fe{w6ms)*I^29#gD|CH9
zxtouSIN}8)f8DMjC6PLnB0$61v)ZN^OqxyJezc==?(@uBmS}ZpNuX#ypzTsf3*VbV
z|9AcU+QN8JtOLP%2i{lUg}8f;;CVAPo|z4wC*dgwN2~t_iLR3(-&F_DCE9^fiMR@w
zf(MsQ1*j<2sVrmPgaW$$uJ1UHhr0Dc{LBrfUWkO9(D1&(vCZ$4<d&gQ0h@5aVKu4!
z+bosdigXI9#!!#tg}O`XyMteUSWi~yYF~ac*On-wZ%z+{93Kf=fc{SObjG0f>O!dZ
zQvh-Wmy@Lq!D@-{^=Kh_!1oT9efV=9hVA0xce{c8DEdHCG?efVVv^2Ms>H)8`h>az
zCOaJ~jyEwxV6?MXViFwRL6GaGXBYkfph<wRg;o_arTw!1P>lfdfDdD{eAFr30N>BX
zvPCt)?~nSVk($7>2LID^sawV`{(Ie0@Yo3G2au=<ydq;p=}z281-Nofu&`&Ib^=}=
zdX427^X^__=4{cj+WpA@D6tH~PaU;4nn!L$rZ251D7zDc4d<?FD;!$KRg5|A%SCkp
z=CuHCH+p9-Qp^)7&Uv2w@$i$%mlrQILf?H~V3zW-HaSDc=!+HM7xuD1QZZxtUU#%c
z4o$*0P@gIKcH-XE6Sic}w=jfaMwBIy?gDpgmhT!+UYDIm2>RjRVw(mgk1oX^plA@9
zdbOk~bP7l78P+lfK47A=kh^B31}2<sGG+(D(={8Q)ay%8kJ~G|5vbR0a~hJypE$bf
zC1Y9(AiOj-MQ#FCiT2R2v@KES8v>y&y}m_OMsqNfo3fC9ju~j8RQ#$cW%tG4a_RZI
zXTvo*o%(m};OI;7MvfyOOw%kRs?Ec;-V*9pkv;*~DXDHC<SB#uq_0Ypc9B!Z&|T{L
z^WCsp!DUB=y6XDhS^%FYDbbhk-=Ecz{5HvHqJYk<2lofLb0oh~;RR>P^WE-8xOcxl
zMkVX4oO?)%$EE-k&88zd3)7-gHhI>4YWEhZ9<#1fY9X?6e*%%lQ|NVLoGz?Az8p40
zs@!1vo%`KBzfrWlsEh%Vd`m9vJ4W+Oksn_5qiOuM=#^#9#I8%vXeKWbV~aO)dpf7S
zjw8bD$1vyOnd3;Rb>A%6NMaqG4~|dRb{UUQ753A(`OVkcoT8VyEc7z!I&1ly$;a~%
zbOPxij$)CymOp-)#m7gQJw0la!L*U8XY>3hjYYi1<${;vb3K>)ftnyAc*lkw7d-T1
z&5pUkw|b;|cky^>@^!0J6L?MZ{+rrTR9hW6aHr!#DuW;AkFrmP_H7#d@e^>UL}HAc
zip%C=)I1k&eSWsP^FK_av!I%bdEFWeEw07O?XvcG025MFmfyNqOiI$b@x+Gb?cl!5
ze8u4MJu3NF>&nl2{G)SKhHGnVCUo{4T%>kkz02VUpTf$C#Q}|s|C}k_oyUkl<s8Rq
zd;0xPDZ81)D-JoM)B5)Ld)rpt4&L#i*alnR!^Zd_BU|ax(Mf!d1heJlw>zg5aUG{?
zwawjPu=>+^8sYTN?R{`Q0XxQva0>EzmUhpT^YCkmT#kOmP*WvM;Rf}~K8E>jF&WvL
zfH#b6n2|^9OS+T{#;o(MXCEsu>{~|M_5cG*-h3x9Zp8{e>lvtawa{KYQomQ*dTK-8
zE<oS5%b^XnjHRF>p76Qy#x*CT_s<$G4f^0=waDVxr_Dd#O|$UFIU4VE%=;`=2p-;~
z@aJ;$%1?OV;-x6^e@O0!<ZB?lktZ*@Nu8)p<+{a;eJna(F%EBMIazKl|En6SNE$~D
z9@k*($b^1NIpU?t`B(n(%YQDSuGcif?^4(v{#blM1+iZcvpgPHY}VR)o>&+8OU#XG
zI#o-9-OjTyX}+jez&)`lltpsED|^qkKlcJ^%XNA_+k?)O8>r5L;(w8DQj4T)e7@0+
z(njofH#LY(vVN-6h?6)|tRz9-vpq~`*DFwK)fwDxbbqmxCM0rpJ+cK@8z3@Rlyl1w
z6&e^DdJCX&SqoKRIjj_5wmYV!A4`IdHhD^8O5C1vu!KqdR!kof5^5@uIjq(iO|4Rm
z{+9j)Lt#8Sba96^$MX6M4BFJ7JPKg!&XO?ZWHBTF1WAbZNw4xXqqIUs$uL>2_7g0z
z?6<E92G^^;f~q@U?6@16naz6O$SYkgnHO)XtRqvs1}U?F<JSxJr=oYEZ+NG^4JeX<
zIZp4Zkad&=@=g1$zMUQ|D7e<pQ@*64@KK(Au*Tcce0!?De{&cBeIk^}!+w4qH31l7
z?~zOHrZ`-W;T7MApnIF6l>e5JankdRoH?A_dY|t2v?-m#>$6)V*8{Ehhg<Dhi`C`r
z+HOKOmRVEnRGmv4&6pN?H!Z&<DXBvyKViVQZB_?wY>*?xv!?VF3AZUZmBO?aRw5bA
zb)ouV>TJQNy7J->t_rWu@RhWT5(JhM@ikLA)`H;J|4Q=(6yUL7)CX=bqq(t8(~c#z
zjDKneAW{ruK$HvCUS$K}v!rzAch*f3!F*J;Z=Av#-7)(;nWJF=<C)juN_SJu>I9<%
z{90u(TvO(K7riBv<;>OENN7O20S;A65@Apq?5JBDe3t&#6k4@ze1QQdn|GE9g8h+p
zc{oR#a9Ft9{dFT6y%}^N`Fq+-#>>Ss=SN|ORfdo12$`%Xep!6s=O35`u&mW{&b2EI
zcdi@q^!g+xd8Et)?AE5+jd5zkc|$T15zr%pBG0yNPJGUWWEAqp3Q_<PnQy6+shHXq
z8woGxD!bY;z4E2lB}xXIx?~L*$z^=^JOVC%_NE%OF}+|Gwn4j)nZmkPl%pT8ys!L-
z$J@RbB8yMR?J89EA=DH}q~grMDT4`xbbRS~J90CVWif3HNC@Up&2vzQkj05EooX=c
zN$X;Cr3M>B4z7oFpC)b{^89!U5}!Uk2kFokGGX=d8euy|?$BEwoGH6Z)&uUUy0G6@
zb<|Sv>2a#u@T}#DIsGc(&+a7Z#WMZaw`>Ci2=Z_+dj`G+EUC5;Nxn9^U~4w1<C)&y
zkpr}FVNf9m!Q&?K(}^v=aESbi;tHn=mZ=3!o<!B_!4{A~95~xi=4w~R<dY=9PP&}o
zpq$S`QM7RNS&ePZq)|I%JaWj*Jw!Xql5GzqGvJ9w;*~mhyaKMJom1~fS25i5dw5-4
zVBw7}7WF9|EUrBmN{ejHMv~$)WYv}SR&P|-+AN*;UQgwhub=TVur|7+fjk#`xu5RL
zdf)9&SFzx#MToWx*{{zc6&qZXu!PYoDT@ix@H!9Cj*UxM$Cg?~Yuz2+K%Y<9U$Pj^
z=yOrbHt{6Wej3tP^XDJa!ii)-_cOU}OuW#b!J0houIbpqO&Nyd(x=cQ!3^fN1I9Xi
zzfGE5h`^v;$HUpr(hGY-QFtKi@Bc_hncXP0oy`l`a~*B#ytq>vZOh8WpVcHeHC>3w
z*o5=5{ujPYYygqvg*&0$x$s2cT=CgArq`=eK`UDMzdZ4mJ48m6tcS|^+&Ba$Ot?t?
z@A{A=fp`iAnB9M5!9u!XBMZ*4Vv!~mgK?lBCK#8VDF=JRm@txzSpOl65a4}(VR$)C
z#sxaJ9u6Ibts|?!!eRxwknU4OF!oItvB^er-TqQu67bAPJ_zy&VPmcJ2i>IQ&vfea
z4rHrj2K(t2ti>4o4`!RJ9<tB}leqXaFPkaWN0M{xy7W7b`*v+rh7*jS^XRb9nUwJ(
z?c4F>zN&NXi7qW(Gw%(f>~r6<FQ2b2x%+$vdB>6}Ai0qkHO(px1M?6hSM6BewZ`)x
ztvfA`){W>W*(IAoOhyrXgddk4RldU3oPh5@UdQal9ncsC%bMARR#iB(`CXiTnMvcG
zT>@S%4r7eJwQn^suUR<8m+vexRu8>D=eDGYHDS&!qXPE0PC3f2>H8Oqm)k!F*w&B$
zIXq^hJB)M*ZBQQm@jx*05LuDx(mE~5c~R>@1?B&nbXJ~UZpi^*_pqS#>@CgiH`Dcd
z_QHSb5he%_u+MOO#>kU;zmoSG$j#N<hZg-G&_1OCtj>{ujcqfV)oL|J!TU_O50U0+
zz0!kEON4@TtfqkVc_lucXCGOu8$3#UzOW757P8Q7(>o#hS7*;#IrMiE0Zf%`uyu5*
zS8(BtRbqgtpFjL^Y)nLed<ol??DFYX>_1=}qV|PpW5WbbPB~%j9rwC^*z)9rz%;eO
z$Fd4}g(c-E^!82qyHVwgM#Y}Z$9+?xCKc`@E#+Vh$2uY)(opW7BE@>OF~A=Hc^wr}
z1W&66X!nQE%7E7UDb*LuY~+B|SSNs3rnvaB8nFVQ@x~A%Csn<m?cvm|Dlsup5U5Yp
zS9&-micCxwU&d{H$_d@pvtsSUcpQynj_NBzkG<AfMsqQwa1vOh_HLP5=0n$XN`a0_
zVgiTeL-Fyya41dyach6^$F(}rKfaz=7g;g^p82JkBhvfF82za?a)Ho)1)+av&&1zh
zOv+lg_*)`Zj6ddoj~j;k`Mtu@YQD~i3YVkAycd5qPsZecwd6|^J|dw&$m42yR0C(3
zSoYUChn`WSs=YzO<>dx}S-Tf#f?`?0aQr6b+vaqomR7Qtjld)fDp4`9jieNT&SN(O
ziHhYW<t7O&?>tDZN}~_-oa$hv-D=c&5L=<qtfAb#t{YP}GBzE_w#?`IN;<DYUg8E9
z^ON7=wS)9eYQtwMVU?r&LFYaNocEcYhkfwXtAkMRyQMg>TY}PX*$<>O+OVDrcys67
zHPL83PG!N_K`VZHM3zkA14Vhl<IIZz>&|~W?y*eIsM~-zwvD^QtpGVbn8D|<i$IIT
z5EDMP5|pvfBPSA*%@d5b=1K7S)PS`h*66`MUTi7rRWsOl!ta9mZ1ufMrKjQ?e-dd4
zTe!LKPv%uX9`Lzw<m~dg&(f$BTDcmUMn|2xo;w)D0`SM73nB!NKdW-2^Id_zzW=u*
z_nUYgU_fe+1@;9iTfHfNi||_ND=&>?j#k~*qFU1tjU4R;Mi}@=z#DORH0ZvIiRaUf
zPYs~gUhtktiDf_b=Ns$g*D<U+uQfdzo<^jPCMb&$e#<9TWz;6mA@7t22;W;yBR4tj
zBFq=c!MU>ap!YSQ$t<Bctd(1gJlnA?aYaaqyPgJH07zU$LeW^7oj6r#wB?}$F;#Kf
zXQ0;36RC_5+R5MFIYtQ}=3QqW$oPpAvSI*qCwxmZ%Ni{K6ezyBba~l@y!D%z7?D#z
zArbTmeXuDbrI5|4Wo{>rJ_F17J_I$j<qan@$3~sR&}8apVbWS&Cege;IE_-$z9>3Q
z_^`zaR-+-B$}lf{a4MNgBI={B4m@y$@R(QGg2sOl^c{eZn;jVO30tezjo-Fn{aKry
zIh&Eb90y$vNL8TxnQKt+G=h*q1%m<z)LQ=at|A0Z8ra->rqq;1^o;9q6L{=R%o3Jx
zltCuD4npsJCBEzJd~B{90js$RQ%IhV+XIk~v4mY@Gew(Yg&mteUOutpStA8WJ!Pio
zli1}sZiRegQ>+y<ENk81Futd%zYB$*nnK5y&88U}40*WznYMdZqnMz{d+lxj$)`eH
z)$6Og00f?%kVo;lon$luMgnmQhrx<t$gJr(MNh7pGkGA(s_e2GH|c!0407Va+{eQY
ziv=N80>kmzf!FES=SX|>14$=c7vY1&_T`?~7xxk+Tqi6zYl-qrDEG+hCm1HhErKa(
zC4ygP-UpzCeQ+y}tZa@?I$tHYrO;GlM1lUm?QIfhiOP@NaucL-sPxB8fYK33;x6q-
zNF>kRW7t9ffs-xee3k(Zc7!b=rSBr<?+Xv2{Nenk7yPZ<{@Gb{3Hx^t?*$_I;Z&Ru
z2AZnY5=gI4qez|&c+yPKs|bCaOF(6in=?%n^J{uB$2vp>wX|_S<ir;FL1;k^i^uy1
z4Xus!1)X;E9+KI0*R6O4sEgmHb=@9%T?v5$q|j)RMfPt-7+wtZ=+HH5EnrvOpDFmB
zN1ei=$_7QOq<R%$#<1uRc&s6*e%d`K$B;7g@Gb4p0^TI8z__>SWjB@>Faccy0&YEw
z?kTkTZM%Q&a5-E+=8b0wxzF0L7Ec7&<zn9u2{3B4G4oC3;9Nx3F=~OqrTBRHSq!X^
z&!(tSt|O3&x#_^xh*;9qRp1`;S9YCrE_1|srCZ7lIm#>Um;UWcY2-VbqNUV<j*+Ad
z{J>MaWwEB1CXN-FKu=x}Z17#M?vFDNP6th+u-8-V^)KTL$f0mh$HW}Z>@dJ|-jUc?
zWzWyCt>Tb{Ef9h5ev3}u)#jR^ZX2-zf?6$q#6+pb>Izn9R3c`%Z{qMhojqGjH=;b;
z9Gfa4*v)_!!efZPVwR7YLzV|k(gtJPBG{~q7dVL)#Q6K8s3TmRcC?)Ls!T}9;vnG8
zuN8b?%H~ARu#zNzu)OA5h$q{ZmCIC;ZB&hLXk<=cB89j`B+PO!5|B`kd4cx3gG;Hj
z{=`vtIGo`sN_^O0-_sVkYi!X++juyfONuxxf$V!$sHM8xbf`o12IFA<&_fxoq=u`s
z_kG(RN}>Y*6xFYFbUeOj{}qOEWr(E|*6tiu`7l0*dZq0seERPT0e7$tI0{6s0}~Rl
z)B)eAI$P=x*x;X?la)>^?5rj6Ak<sgJg+35ntb0pTpvd6jHKiXee$GMYh<plTIzb=
zTX5-JS*0#`m)R2qQuML3@t~5==zZ1mh7#}=0JSW7N5f$Zd&L~=7wrx{6k2BiRo-vv
zn2x&jY0e5m*d}7QrLnf&h(U~%A1FuoKS%hzK$N$;i)U_GBi)sT8B5&Srm))vKw~}m
zPZ70#;$3tVO_WwUn>*2Uw|?QvSZ%-~t7u&e^P@&~6Qzi`CKeF0QiVeWt;!uMD`^4e
zCv4Y~1+od3#t{#1Lc@g~C7=ln*`NtMLyhgiGgDqKNXN%`Y-ni281SjlJMpT?aYr~9
zmEw2-jWezPulPaS1ZlK3fA=|YU8tj>26pd^M(5wf`LEwYR)$O<2jlTdp2Z(ehZZ(m
zNchZNkYn+;Q_X=CjuPZMOgI+})!Y-VX+jS{r%}ev<f$LHvdlI(s{)m+>-IqSC*BMR
zBPOr9gvn=70|TPYi_o{~SH{5tvJKXA9qvlK0!*#Uh-g&ppg#Q;kIwmw+#wottuYVu
zP*yS%gr43Nv^QeJL+@sXVOA72meU$tC>jjLQs^OO*;9rx{O>{s*hU(ivOwLch)$L5
zh_QaxP!-wt{8etyaUC$jDWySf(E5?H*SM*hM&pTG=AXGMm`Y{*C!Da8D<08wnXKP_
zPwKcd_cwm@=Q(ybYT}IJl|W3~O>K0J^xl>?IMf1cU@}G+>AM+F#`_GB&INoJnS8pC
zI9qxX>tS?_HorOL_S?rv69>cWAB({Sd^h?7p9EaVcIIzNZT2*fQz}e=)!F|QRA3k&
zTH|Fx6~<&6AP%)j4;OOTGlb@~BEYe!7w>OcJg_~U^DX9b31Wx@0&b3%HtXi7HmgS-
za@>JNvb*olAz7G-UXN}LW{QCpQ>a@vhXWo?%z)`7Y@TgetB|O(&LVc4D+)CjuKW${
zTAV!{k17z<rrBtQA)n2iXhR3AeG)mJIMsdukNC`zEb47N(`G<vu$vQQI2R(PSZqXI
zAMqm<-h3Q_6p>cF5t$a9fpBze0^9ad)`;%pE8a((OLHa(Og+h+(^gHh;Ur#8N0W(@
zop?Gv=;T#)%;J1`kIJFe=B2{`uXNLlL{_-%3Hu9PqBk6c4U#MWWS#$-VrL)9*|Hw_
zDI-~~PK9yBSfsTL?k-{<M==Rux%6)ak~rBq3fMhg^N<BXZO30TI4B5-4-juYtU6FP
z@VVSqnI;G{*pI8c+k<vKo`$`T_|f@|DOMs^IQVRSOJS>sWo|3et$3pdPa?NX^G!rp
z7_%RUd2{2sF@L_r<?<7qqwE!ahW|@|6q-I%_wd%Y%H2Heh6>u3^91Sicdu)hJ2Xza
z^w_scNZ6d03=6v&Bb~bj8R{xQ#L0e&wHaaJ)uc0GnrIO!_2M9g6pqOF>*hUts(@Qz
zltyk=`XI&pjjY_^a9c?f+AAvDLbaJ#zSR#jY1C5|c}v>hyQ2RqA_)86vSoRFDeyfs
z@NCj%uY6hB<k?-k%I1JE76Fb4g(;;M{Fg)$w;?ME=pC4n*Ae|aGiQ*E-v_DmSxD?;
zM_E>+Js@1;Uzbj)Uk<{g)$lfEa87f?-<hM_gCsJ<LA?I6)yEl!u`t6T@DE-{qKC<H
zAPgLq1v>#sB9?IA=h|!MVP!-K<iJiPa~8oZ#9PEh1dzu}^r?F?Cf3Qr(n8?&I-z&m
z84Z8u#vis{LcR4e;<iiC2FUp4tRR}ATo{4Q4mE#Cb5Lj*BO~O$B?gSefT(^KH3Mix
z&qw(tFVBo}v;gFyoArExI*gehtVv!t@-;fe_ks%@$Bnde<Tr^xaivVwi2YY);otp-
z5=3jUR4#I*870)AWNr~?xBU;Z9kf07N0mek*lq%oQO5Y9`L7AF@&rWcqL1!B)xJuD
z{2uG-^5rqht!xz4A|ZP+Yy!O6C55!VU5CYevG7ia_>)SDx?H79aRw>w!9oq*V!drN
zi?O(IPe=!dPb{#R<#lpJ(_l5W+jw}QJy{?n^1WOeI*C@Dd4Rw$01nREps*{(=dJv?
zp!&zj30iee?60306TjAJ1BJh;=LHv2gU6)BXh)FB#dmji_b8QH5qQ_QvVZyUEfzIg
z^A(t+9G8-Dc09bJ>X$2-+b!?<ye@|*K9>K#Jp(#8KSGth)l>2TPpXAh2b4v@pD39F
z85rUZN=3fpPKNxmzNWDPs>*bjC0Fx=9!PWBlps=Kz=#Y#PRYp9Jq`5ZBTX>~tQdU`
z-;Fe1T9}^uOetuHi1qAtv~1cd02MLUiN&@i22z8Fx*O0+s!A4e+#3((DA!Kw5PAc>
zJ{De?>Wsyh!MS6C5+F6M!yV5ifoQK{ORx&FBIyKC`?h*#8^Cuv<;B`y0lS|u!QTJj
z-G`a+;^>=?%{~p#D|0ki616x9A0*^;X3C*223um<C<;%di7g?yvbp@=cEUTIK0M^^
zS#LRLF4J+)s;KXN?2chhP){^YWB3LWa+A#!Q;fybndE|-*A^Cy{iKVOpw(XVyTc&|
zl9da5?i~mnBc_hQT;NPO)f4Q4w9j+?k+$Af#-Q>angeRd<%7tXk2OHEY=4BcC6&6a
z`VUi(g?KnTjp9C8JX|MTe@!0qv$1O6`(b^p0-i7HTxML2`IRIXcHY|eK$(IC6yHU+
zqr*Tnyd(|+tb%(9L&bJ)k1gAGP*kJFubXlu(8@{v80(*r=XCt+U+`|}AH<$q?%hb7
zr{2XoL73+$l_@GA9Dm=*i=2S~@hz#=%iMD%63y=TmqgqFt2)aq4(;B8S#FaB-_1#}
zvbLKElX)Q~Tu%b5d0a$-;O<zT4vN8khnxaz@YNdk6Yb5_c4kUnjHpYW5QcE6t@IwZ
zSQ-)9Aooj=h&m4S-<}l)dC>Xhh#N36zGlzby9{=3{peAVe5OE1Y<j~ddXXZ(_4{}K
zF{i*!VA*dLLQPm0Sb;1p;Wp=nX}ot#Geu`|hcWCDqn^e`?^zyO*WUkOCh+*JI>iOc
zcqWEgemGy|1dtMP`^neutTj13wfOJXm?IPTybVPp6i*s-q*iY9FYSR-(JTo0OkyBL
z7M_Ip_~ckT2LQ}8UM(q+j)up?B%cP>P9=WXfT#|mh(9~p2=^9|8{@E8kS2accF>Pi
z5X<gwswpL3Cu8+c|I8-QXly9SAA8M{<vUJx9R52sl#wES7{w{mtV7%|qTrB-If5BU
zmeWBqk3W5vHg=mhTHT+-4L{dpvR1R26uzdt?T1;DOku6>dM|U6$+bkbCqZSVFwK^B
ze_0W*5XEv}TwEvNy=J_Zn4d*`8^686)FgeTQe@BTtnepM9h8Jj*oGJl^KIq)fCHO&
zqxR>MUwC5)EOvAps43iR89N{6LMoq^My3<a6T&A9$D;YOZDDdUKE%dCcc;Lw>R=Ei
zxSn}t>=67QN-}}uC(9#Df?!Mr+wwmi0CbA_lTQ;;RqiP6(tRn~Ua`MB(w!6@z0xni
zEyMo+AJDUmLxd%tfYRiF%+>uDWDEFAxvqI$#j&g0?9A}b(AP!$JKS3g^ftvGd-vt7
z&=iFftkBw>cP^W%fiUUfa+6Lp(Sp|OID!86hK(o?L$Vx++}F)xP2Vm#ukWmee*0rq
za`4zByqgcD4XhPqdd@GKt<Wz2q0;}@7Kv;p8QAnvCNiOjZS$}HK}-!R8fgvQd@w{?
z<ZhXu@lQ^_u8e$kYoPc}OD`gRl4s@(_+_~gm7*uM^s&fWN`v0}2N>!%+2D&Vzmu_C
z1!9i|R`6Xo=8vGY)yDyiA!r-*+XAk{1o^&L{mw$-E+84t2Kp|#-JS`*TzJ=sf_~!(
zC5-O&-0e9$eOUh^Zt)-I`)|_nAN~S~7ohqqpZzr$8c)hL_Rk}TBLp>9LCxc6ImIO{
z)2FeOvWH%|b68~mSxEs1g2b8pW2`HA%T)d^P;umMGGG?Pevkb3y!~@|t_U$y$4E^{
zDiOl{NiZU^ZRwxe<Unqso@s(bH2nxqC#MWa#vjiXu-9qs?fv;nJmk->2<{`p9JMn!
zKWy1qE*A%!V4u2rim&(QF8#UUH=6W|LOJ~=AaZh_YXYKG0rF`Q<~$S<)@4k=p8a<!
z28yj~zdR=SDoN1Yv*H7x@^R*0cVnduXyhzC!EUi#W22=wZusk?|NZ+o()9<@(?x_5
zczMq?9grrR(JxK7{Pe#D^b3Wl2HQRfU4?G4-2Vrb|1Y`=2MeMGujNjcyDz2zJ@Jqr
z{}4F-iTuC+c$_>;LGSI8`v|BOkK8lU*Gx=^Z~ME!Eufa_SM%xgxMC}kv{$QE{;y#Y
zlc7y2L`3mDEV@yEs)&%TD=3xqxPM0dKYr=2jW>b_aV|7CECD>YAj#?zGI5#QKZGuj
zb%3@_)jZ{D;SQ3~U;cHo$Pkd#CgV|~7v~8d^{%`uU=UI{lwb>317rXMXR`+jXD5f{
z_O!9}n3ex8D+6ggxpz!bwT;4G(B;Ucp?V_6O#%z%in;$9nF9^1JEUN%7u*r$z_R%e
zyo!GBhq=O|n%VzKyq1E**2(k_ALHL<)WQ8yp<wK5%fCIDt=U+aOP^Qdwyn+lYwmwf
zVGbl?j9}nqwx*aD5q@vPobF!+8UzC#3t!cFVr9`sLdU>U!XAo@qi0+6YaZ99Q774N
zWJdI@H6UJKAzjz@1niLqzS#90YcFG?R6j-{Y*tv#{5AUjJvS2zh>FwmiZTB<t^*&Z
z`x7Wt*)vLMjZ9d*(M8tZch40jmcsP67z4l1|GnA&w@sl0RkC=RZ>GG_ClZfLo&H%Y
z<fnsG%U>Aa|87*^_TP;>j~l^^r?CqWK&%`m475{ljV}gEzq|#W$e#rr;4BJqP#0d`
z5@VW6b$<&M{+nmcLAvvLb+z6(v)M&yfn9)q4&>dN$i_O9P8-#S!~7-&MG|nSIyICX
z<A#hFQ!J&kz0TvW#^+duebll5JDn2c&A_r{rusEYfk{v0!<I8mf6U$_R8u`~*BaGV
zCwYoljwPm|NTzbmXwA%epBvS(zqgNPN{8gvdR<MgXJb1pdl2~lzrp{Su4$!?I=X+K
zF$k$2A2I?b+BQ#yeoosFYJdA{*=PBGe3E;#dY(=FX$w$q_W8*HpAvPhYPV!CtL~%x
zQ(hW*(%MH_5h0rOZh`UJT@mo9EY@B~;Js(!i<ad;Z&aLlh7Hp(OAC?gX}#@@R=2gQ
zxYkJ3b8MPIdt1Z6jN|Bhpe+CGdAluKEyGdbaY~2pJXbp9q$B(PyhmIBjC;qrSI1@x
zPxe`6zEfq_Hp?w*JGYKkg`5UdR~rrpQnbrk<oRs~Byym~0(Zb~vGwmWCWe8{_~3@P
zH?A+p0U$~fyApU}{0iDs1=Lb>N@#bn-YT~-6hW+MHSR^<*c2bb6ud4T<sE}4q-P_Q
zk&0CY;P0&zIj3Tlyn$%VTTNrgYk>|%1I8)kk2E6w5NlAZvjZ`if{EhSiUpE}WOsF2
z+k{x=Fg{SiCtK%r)N$|6cgFV5O$LBm-ghvwPwj}%hy=o#njD|0)zQ_yiISR+<MVHs
zdh`t}Cl5IH7sbiS@Xk_>%g(^({2+vL^N!`V1tgGr6V7{r3VRXRejkIrCeeX9B_jB3
z*=-BrdO3Iq+Lm7I=Nn=D>=y%%Sk0nF5-8{{cE>&qM(o5h>FdoHr_Z{st?|_ia4{mJ
zu>x#tY(~9~s*h0c{EqHm=|46@fVAY;jSs)~U1VIYgOrR}<&zYp7R@i`-I7fkIA7Xu
z{G`^j>MV>Ny4>GpF>#E6TE;hT>kg;t)!4QtvM2B+oKLQn=l-{bOaviXQ_h_Pw&KEW
z{ke~p^B;=Bf3+K1_=9%up>IFh{#Tr%4u~TMkxM2$J`U~(@H>uVd_1KUcI>U2`elv*
z@5wq9;P*Cszo?aBfVvdp0I=?uxyElMzbV>~meweMPcEJM#q7Sbrl1C^hHq0R7X;PI
zzC;y&<X9~-uJu}KJ7p>_#`ckcf^fyJw_AykQsM8a_q*N7U8>0ewLS3H^%10`o<=|M
zTXslP^Sw>aS^{nvow7xT+`-PXJUFfBr@p@@d#W>~0tt88_mYFANF?3Nh1qCc5FLvp
zPR@Gmm}}lgJ2LuqTn$IQ2pBK`B3uP$`{@SaRT4z-c{qBF?6TN<s7AR5a*o$bTnbCG
z?{&wM4KSM>iORY^d6Iz{p=vkS${amq83{j(-B><9MBlCT9#HFX5y^{*ZC$0+3?{SJ
z9AR}<eS3)TFDi8#cfe-UaR}0IWsfS8{8Ba^X0bOj(SeGhgsC&zz*`*#GZ-=-$e`Wv
z!EP-!63pUfEfe5w9$+b<Zi1mEu;)-)8@Xe*<^vYH=2VUX29)h@8W>8hIml*c+zRJB
zzlM$%2iul6K77%hM(|j7d3rHr2MtlrYqY3gFOWfF?JsAE3<JJu+rJ$BHbG?OucQa0
zc?b$M0V^+Dv-sP&F;CS@Ub|(@Wq8e76%2oEz39PLZ~N$1i|`PNv;mKpoFVY}2Ssy2
zGboJXm`uu@npokLO0Fa+k<Z2X3S<)QjVQ14?z@qg)~GrrW*$1N?ZlRrZM_6X!Vaq6
zEo<g87_<|7XVw{|8xle45AXG<Hc>;~veOxCBqUkP)d%Cq@W!BLD8h6Ca`(40G$BF#
zPNUno4*px7tG%Y20FG=QbMlE#@XF#hN9~rfZ+*^XIxm*m_5@n*9?*NvveHBI?T&E=
zX^nw4_g1YhH_mBn*_-w0;%O{EQsf9)`4R775C@{#Y;05I1qa1*vRVNX#h2N~`3ff}
zly|G!XMCW1$#s3E63d`B4qP0p7lP{~<B$(YmLF%vVZxmiDYk|_3y*#c1-vUv23Hg_
z#p5)CjeaBol6&tXp%~=>6Bm&z-yZzVL^SkiGa?4vXR+@G7B)-mXxTn2SjGc#-8Hd6
z;XCCIjD}HUKe;h5D1@0pDJGyo5~<`3uTKxh*lR;!u9s)C2Qy0Z$cZZZ@X@>wSt{Gc
zF==#=E8EV(a71E;YGVZkDkC*E{3e!T`I?;YMg+MXgV-W*ux_tcl81~(wcB(IPq_uB
zs3*u~5EZ<7wx6su$_v7c3F`+41$-WA3t}JBx}5))3<V$vcV1(YmFgcPe&PRw{NopA
z_CL>X@Y#RQvdJd{&wyzsX2_)j!+=umf1*0SHXg~4PivL;v2r7>h0?l3+U-7DS-gvc
z*JbQQ(rm1bx#(V#xWOF;Sjn#s)@Z&@rX=;p^U+`9ccSWYaDRMDr3VqMdmm@`6Z?*N
z%r<TZ?jz&q%;n$P>R^q1d4I(yY5(*{^i*%b&GAx$0d=`27HRfwEU>Xgu?&LA?}>?H
zoW3_waQ!YE?apP0_Isr+1{B<OpPK+<cfBodU!5ui4iWG>X<*!fzF+7JsaA<jDPQ~J
z23Gh)6kY`ZWp|v8W~&Jl=#1r%d?UF6*JxUc#R72Y6xt08LYp-pe8(#g(R$Xdlbbsm
z_xrbSb%u11yd$Cgm&juo&oO%_Jd;+RIsRq8B^VU*x+~WP<Hy;YeWRmGmB~sCELF@~
ztqisd1%dF9a*#dcTEquhOx1$pvX_}(C^@rOUc6Tgr;kPLi`@KX@B1FD%&y!@{7$TE
zNP?}sbJNs%vOu1q^?dh{TBRAX0*4>wvT)Reb!}<z?z!Fqr{3lf>vkDH0Eamki}B4j
z#mSHYBsCjZT^O0`GE!7E2d<ZGsT;C~|K{;Jv@uw#)tTaDp<1L23qyQlH+p-y#5Sfl
z8|x;eo{edJyVSy%f~o<=W?KL*+*+*Jf%m2xa`efY@#puihP`a)=H*(?yc|#0NH3o|
z98IOMIqIxbdvZl2Opf?_VR4+APdy!<toP??5~FN&X<pIQhq232&KGJuc)zOBhbDt!
z5}jHY+XQv}a5`sqWLjW(VzGQWpcdi-;dTaxsoi{#E$^!sJ9o!oom~j4sdQRvE5|kr
zQX<PMmP~Sa?}eJRQm&3=t^Evs(zaGtCrfc3*<)?^-ria|2VROpdc%om-$mihWe%a0
z^xvg)oOJ(ZJ0g*;rj&?<+ZD(5SXM@Hxb5_wy1m6K28ys-VG!aPrSeA`iugNh@4P?a
zb(Y2BUk)<|(i_xSzjzTo&dht%VYm(+KjoqGHNcIq-mIGkVC!`FX6tOPS*}Fm8!d;;
zav<KRZ@(s`;nJ^0&qBJ_&d;|3XedLmW-MNpvjpy{WqOLtomFDX3M;O!?oZdZm?*ib
zXoncZQ$AP5cQ2v$yN$YBH%I&0aA@;wj{>9jmQX+E$^-OPctHZ_`9_A@3JMHqf|0;<
zF-2yt69uDSv#*jkthr@js2~V0JbU*w#QMa0RujKeua30+;RGwn=clO+)*&Uj$5V|5
zT}9iql57SmTA?&L2Dm6;D;EH_XyR@fCbF!PBDm#qMMS<>W+9!g#Msvz#bQ^v8BRE+
zyMaldh_yG5DPIHzozV^F(>3Rb-;r3FzF(f%wdB!~8*+odQyvZ-We$6>nvsy%!)WE%
z_#<2NU5Ie(fWAAlz*A%AXC*;VcMq{;43~$fupqeHu*R=OcW$?YqxUBot!F=ZxrmKE
zTd57>!849%ly%u6wfZwGx#g-yOQwxz119EQ4S#$QkmXkj7<`1XPuHmY80kgiqZCBe
zGL>WJg3slS9Syw}D;AlOex**mZ6Xg{Iqeg1K)q;KwWXm0sW~Q!&}8~(cl6}ez|EoC
zt0DJRz@j(K#ab=i`ls3Q?Y<1@mj$D;7j!x;MIBdDAv55rs(g?-3Q7||emuBgH7!J4
z<3r%5?rQbxVa?V}BtDiC7e)U856pC$+hgwDCs`30Jq|_9o9S=%Tg_hj$bd<y?<HEW
zm%e&I#aY?JF8HiNn&KQlMs|;%RHQtMlzG*TsT~g7S@&zA#zGO{Q5e(*9o$eR*_*Xq
z{q4lr@YYHi{A~5dcUbwS?zGP_Z6t+Ef3|RffspRs_BqL)Y}eM@!h@Xd%0<ckGE`(#
zNIp#e1mBh({PR`&V9~j{_&;CuM;#1<oW9i6G4R>i{2EeA(s>GR2Gm@B^}ZTPu~@Bo
zd(!m$*0{}R(x3lsZNz@__?BO&t(jfumPx0qLb09PuKC1jOS(k-`YZP1m32RaWY2@k
z*<8P0uaD;Yw>PIGq@T6SSX$b*8FU)s4&pkXTP$a0qLfB93+WWgbyxs$s^iS|OJy;@
z?WsZ)?d^$_Id7p+3ZrZlrK!f-8zqY)AbE|%va+1F`P=?g4#-c8r^W^@r;8{^A8z>g
z)34vzwRn665WU|V&N4bK4G0U7PJ53INw3+8s-ZiD)#S9p+6_stbvMDTwZ6!d7xOb|
zgv>9%o06owgjv!57kZthZ#v3fKHyDjS9lRl4Qjf!<48`832&s@94k$IZyExu5=oKy
zrO@2ru<W=6lW3L#1E@cBM?B<sik2r>%8@B{HTZ~b-NyG~2w+Q^`J64Mb30`_e@6G1
zSEm`6i+8S4oOiaEPLyZ-tr^>C#ld)?$oNs+efOTTH(}C7wNhP7C(aZDAQeRclp{sp
zbtQ$HL%<7iG?mFWzokxlWbcDWnh{X>*zA7p&Ah-l0iE>d&Ga!3TR!YMlPom$3n3PR
z7Pgaqi*|ob8_GNOIO}a)q!?&1m3SjH^D~TRpz+?}AZ9W~z62t>hkOQK_;5VN*^HO*
zRK1H6nubbQm9Fb?&pbtU9&4dYf13FT$9$}U8$NugZVfGui-l!b9iT&Viqsv@4J{t^
zy#U~Q$zA2OMuLDh|3>58Pjj8IALS}4K@w=p3cV)z;yM(VrK|xb`!)+i-dEgTC6fEz
z+%D74t~(kak7V947Rf&@Yeq$cDUKMJ_y9@j*XiOej<BH;IGQY%kEJ6Y5|-r0u)HAy
z&zAuW;k^*t#fgbjcj6-21(3?AVD_R%ZOYXV^=_;$tSum>#B(9SaHFD)lVad^@!wJ>
zl0?5?sscChJ^?B7qJPm6oN%xXFSF{kQ8wj)x=N7I>)=AP?(e_*S!kH8SpI&87=FR)
z=A`GO4SKT5j@|eN2`w$$1}W_zBcmaxK``p|hJe{9;FE-W&ez76p+t$NRml>{ib4zB
zUag*-$DDnT$d~oF8;I4(C7n!-*vtWk1_Z~FhWMx`Rnp{1&j>zpJ%|Flxg2==y-Zz?
zz6+f_`^;90qrV)fEowvK*b!1NAyeH#I)$Fru8XuSSV`02ZXcFRFqgMjWiyc4%iR^_
zdb?8{$Ri96+ed&uk-144W*2R7U^?OVh{DJiDj&Wd073jN9F2M6Wv8!|D(<Pn=MiW*
zBJX@WKMmt$u@QV(p%&S{xqFOc{H{prha_;-3BkomoyAfUzZ_bvLRDOcKa-iU?;-+*
zOiR>bL9|gMAQl5m7x^3$O2?U7>>R1b4keI)#}Pq;<0puszt?M|Iz<{hl`o^sci%zN
zPb#MlL=~Z9yK&SL3^FzEL!G)x)6a9c?9ZXV*UHXo9L!2DIzu??X4zpM*V;OuhbVi7
zMhu6qistgXO4U?Zq!%78>mSAhIPl@a3u8sq)jFg(Ie(ikcj7%tYN~Txd8>GJz1JKa
zM*mT;pKVxCcG%^!ahysow~v<_#y15o;LXJKdflc1@J{@Eo~22C$>GVQ7O>IBV%F|S
z3TCxXz~TGqlrPoIQi#FQOknIsZI-`O>BnI&^!Y0Icp{ArzvcB&z-ta%u@6`m3nd1H
zAxf_a2GzIfWv^r`%TzRwuxk7>a<{PUb4uz(!qY)fnyB&nFL_fX;kw35^MYbZ;232k
zIjgVU=BM;tOetpc{^p-o7C@q|<KAp7Zl@=16H=zt%BWuN;og6Bc|}5|9`t_wWCyog
zTeYaR9$@k5GDgr)hZm}DXl^gPvicIS!nFiO#{zQn-6qZwIF!c<MK;jUwgiS6BEp|E
z=hus1u282O*mQcfFdLaw*gx;}L4r5la~=@+NpMCuSAs5r67IZh+H0v5jDXLtLKtzf
z;c~=G*YZ6rIlw0|sOpn}BX9NYA6f1RMS}lG?7Jkd)j*=h_rWBKPb^oBR>cYN4J0X;
z-b=C(5^@|Ttd$@bOR3sO(bXxH_@w@23Mi7X8Lk`fT%WE+*tMNoMMRZ(O`$*_Fzz|p
z>v7qJFAbYylEZz|3)b^WY>Qx?S_ezy{vsYcl}ABWYMCgm8n`#n=M=-;vs&Ox`Q)F<
z94qo7o6VjLS~@h=`Lq*$7C&hD?2Ci>&JM8FSnf>-)V^t@<&jwrZFw9Pre)Q>9a+Ai
zz@A&riKw-n(39S((iXzck`d+rkhw$f07yR};&Ta-kf;R(VRVqC0V_yp$GGuSn^*~q
zxr6Lj=Xv!LJ4N7Ifd$oAxGFKeJ64Adl_5BEV|%qE-*V96VifH_I<FJ!Im7SW*wMNK
z$&CWxhGm*vT+F5?N+c8}1I6g}^<VG(55pdAEkqhto!^Dxe^ZYd_aN>GGa48&FuqBR
z6s2tQS4Hb}Cy~o$32o1QAB}ojpj?yMjIN&lHN)Hv!!ff?pQnWi-lQelFI{Mh>X|Vs
z=}Ui5Bvy$(+>2{=9$#g23);Sb?<V9k*8$cS9v{ZSnp>uzoKNO7qa7YYApl6VG6VfJ
zz*uNQai>4r=W3?0HhE-m<ZK*@G_chE)m8b6)Wn1QiT0H0#HTbA<wDdt3)DiBiB?ea
z(sgQwF@FC$!qkkRHquP7YH`pGS7v8EeZEOH?T8)OPzWHs4oyK!g==rNSFQg;_X?%6
zZYMN6(Q;_B(E0j@hGGh1a&ZkjJFCv4Lna8x64dv3W;k9Q%SAZF@6SRfb9{PYwY|A8
z-%Zhv&KH43nx4#UP;zfv-P0@a`0fi&1+nW(HNvBxtuw9#Ni}|4Gd{H%KQ^s6=p;6^
zD~wqBrTDj@qnkpG&%aSrBCK7k`1d`B6O<}_u8hZuT4*srltFNCzSV9g;)(5+?<z$w
zghN$)10iHmCsEwHduLz9!66v+Y<HnD?-7_yvW8`8sYeRp<d3zdc2cg*nfP%~PvDvI
zg%n{*6!p3%*87+`P=Mt<I%!xW)Il$+A6k@eD+q#R<EqHwSD(-Da9_73uD%aGUKLhF
zFE5OMImL0QSFQ+xANl0dgu>GfkV7IjTFq@b2rd7Ru6Scuz>0>(>_Z%$iuGDW&P?n-
zjaWD{#;GGU_NCt;tP1Ujr3k%aed6;y=<JH9I2=p{Z3QMiAEd5J*+OZIgGX3_so0Lu
zSr4eNd&#q)A0bkX+0p63)(dDd4U7afr@R&~14m8o_q#YPFKcg0X%qeP$gC#ogG7IJ
zx$No$r(`)ErG3K<b#Tn`vWN{Dq2haV*AoZaux$(oy(D|0^C*{B;j*r|mxe<^z)Ukz
zdLSHOlMw33v*94jAvwJRUjW<K^t?UlU$wiD!R}01dy)+^c3bxR#6T4han&D9ed_Rl
zZ8OS_aanCKMEiAQwXXYcHm~jRW~PP6N20B{J})K9C$$@UY0F#h9nM3^2hK_3-704q
z_`_pZ-u++}{pp^biUMCBPenOIy885RF@dKC2M!3y3I`rcL3*#p`~5?j_nW(2_%UVB
z6LK)2FN@M_dlglC(3ff5s|C|(7J=lst9K9CtxQQjXTLJexz0y0$GHa(4QJ&_C(#Nq
z+<5}n(D)Rp>8t!Xxyl5*vxw7NNTHi)kRci?-puTbXiUmA@Js4)6>Py$zS*e#FeXY*
zzAc0RL4xEI;^Z<vnSM~OZU6b9rj6y$<uaMe(`LIy*q!cBKZgH)Ul-1xI<-__>G^AW
zUabE|JUkAY0uoLgnOwtYi<i8e_tyO;l$q*$`E^_5RbQ+DLh-Dw&n(u6AD$+CmRmEt
zSKH5?sJV+3V+F`B7t9wyNL45y(S6l-sOo{5_}CBhtjGh;K*}|k!4D-^MeP)kex*+D
z(y!IFB{B~eC+ZSTV->U0qw>e&87@)}z|g@#D?kwv^s=5O3JM0pYr5|Ur<02kPVkB%
zQJDy8|BV#C0|tsPm|N4V@inQ5GYUI~o<8fH#^YU5jYnEQ=-JMKir}@CTB)Hb*H~(s
z{~|z=xV4PG)6j@gHbWR1i6A%hl!%dubc8ja>ybhRM?m2G1x%BYdCL697foEiBl7v(
zn@vf@LO~Bh8@*I?r8~I7g|{j}TWJjr+;vu~adsU$Jm)XQKVLFh;`F??&=yCTo_K4m
z8JG%@5r^-+2`*QNt0~7!Afz*S3{}&HKJao~&2g^D<?+;6PmhUI>@pjqq3dw_lal>}
zyEixAv_n*?P5b&*<9i|((YKyaiDE?C{k;Rf>3MrfDT`K5lnvE{a2LGPg7cjQmHonv
zH`tfVl!~7V``;Z-IrCF3)!WG{DaC*8Hq149Zt}MZdOOmZVT3Bkjo4x`DAbRD?2}=V
zoj@TIPlU$F0fIhu<?!IS-|PVe(84ngbF3tp#l*hnaXY0b=BK``#zaMRoi51!KU{rf
zRGVA3ZYi`tad&Geh2rjB+@ZL;Yj7>@?q1y8CAho0TY%v1-0b_Eea^Y}e?~@<k$0}S
z9yL|eL`G4AJi5p-i9NrV%jC4$I*Hj8gf!P(7Aw%dBJ1e+{Z!Wbh#x|l)ReMw!-Tm}
z^AY+bP(Jv=g7o&!3A4=$<_d0Se3r+RjhlId1AnLD?|9+b`BG)2kc7Ioj30}V%(?~3
zVC){6Gl`W^;>I|mjT+gR<vLkw9ca>bQlrh>@1s;K90EEt>6{bh(QdSw3zK>H+busG
zI67DKSp#37<0en|aTFOQG1~pew)+i#jq9Z`T4n{rmJJbWLyC1o>kcaZa@zuhjPx``
zh`A52bP997f~SP;=oa!c#TtQ0u5r)4yhz)1h7UyS=ogG&9n8an2vm-4ODZyNy!a|v
zrI!QX?@~V!)~HgtRskk)Nlt;`He?0yNP(3mQ)q2>bKSSGPYRRA$bj&GmW#x8T`u7X
zD)4J63Xxj!by9iJXEd_kD^)b3rfvz>^TAZt3z1hZH|OgU$ud*><k(xdR6o?q*v>0l
zHqExJnMWKvV$aJaN){IhA8S|JkX9aNkUZMs>nchBciY<Mgn2HRb=uy~>|QFRFev8R
z3ANNoPdA68*-piPJE+$Q!#VELZbl(ZKJMdB6yj%b7a@6KyfU;JEEqgfeC%x*P6y>5
z7-u90i&fNcedshd=x}JXenFaJ!%){gBOXe*MB$p;qZu>_K8zn5e1nUt#wtp08s9K<
z*g4dO)oh1+o_d!J>x`!iL&xLcib$8tCZvtqi8s=8rR>J;jP7=?t6>m}%Z8^Uw_Qq>
z_m#r&a$Vc%Z1HSwF~|vyD`VI0c#P`Yntrd{+Id8PAAKaI{TUE7sS0Fqu+4CnX;C6^
z>`tQZcu6aienrZhxzKN#HBLsVUraU+_7Z$@Zfu)!yC0n5XWF$od=UGbF+R|5!C;Dk
zJ74hcp{kVu*9<Sv{5bYZCul=)P3B@RRFbFi&m8%$aq^dvRF7B$=aVLah2h)4f%ln)
z{Ql2ugpU_H@d<IFnvJK0-$xfl!r@)7m($%tD%)~Vkbt-D_zvrO?vJ<cdD|#_V!T{U
ze<RZ|DB1X8v)bP&ykk!XVNj7}AW(QEzL8sqfJ;i*QuD7;-KwM;Vr_muzGss!);^cC
z$j}%vWsA0umQlPDb(3nI!vSdf>p#3WfQHgPaDPZI_8;~gXK$02_ek<SZn!JX%$QH;
zh8Iih;&P49zq^oA0N@zFo_$iET+>_5C(;j(a5fS-E!Rlnu<3OtbNrbOA9b{UDTkXx
znvdML-Bf`#^NZb`D7`(t2LIudede6QTu3flL+ffCe1a`8-1F}}eCK;kIwO3<pRXeN
zX_OhT{%l4HktDjW-rgZhgDdg-i2pcG`^y1EGgnx0ku=dC^1tEtlVb!t2p%>zq`NqX
z7m2q4#*RBI+Q}6D%>sBeuXo|ccwH+%BA7GX5p{FF>%T7+OIEoV+r1AhN)D}KpDBuR
z`Y<z{DI7dCYWqUMdo@-z*RH^;(P6?Is9Yx0gxI1uMD2R{KALUsI2b9mH!S?i)%uby
zKI4jQ-tcPb_|{(N&(T~*!_aPEJ3NjFfjT*}KwUrpuLe%`ud0sQk{G18JEFZ9tJJwh
z33A@+A%>6L2=MtMQPycwOXofX&DPv0lnH{cC?q+}nI1=|=dl7CVWE{`vnKQf+-C$L
z^sitYixJSF(<}E>*}11+cyi?qgWi!egJfPnK6IlCv3W-C=T=bF#!t)f5SBelfr>P;
z8)Oed%~ns=;8V$1)IaIyao_7P_aIECq{kgmZvGzdX72EvDU|xp0sX1~kej`z1K1W?
zYA8+qWW4hk|N2UTv*YrK`Y6(cF9+=<bvk@;UPY&@jGcVS@Lo%f6qW4gR!8qaEL}2@
zdU|U6o~gUCwViyBlf$PQeHy;Dd*9z(Ntxnn*W{u;g+H4WDlI6>rKn{*@VXAqp=DTz
ze&Xm@`J*e+bG&Y9tybLqwd8Ct{d%G71QW^YbM0`wFYnN|;fA19j~_+lF4{JO7bc%j
zq*|7(Ry;5eq&e?4oCb((fg6LeL_^O#WIxsmE4l|%HHY?;QSi<i2fXLp?xUG>ha)PS
zPZ=mqX>v2UT@>>~8Sg-uO~mJXIkV=}a0jG6CsP_yW)#_GnC1BC*712wY^{dJP3D}=
zHxhaC`T-nO!gK9zO3{-Q{3dT-Ex4Smet7IcRk~DVK`MMrIyy)|H7s#l!WTDZi#N7*
z5ZCUxWjiJNX^abn(pkmikZUx_K8MWJ@nACFO<;nOX31WpOZI^1TsqIeDXDG|MMU;Q
z!Sk}^40Q2<r3#hiz|etFc$I^~&eEQkm@L!AQ)I^d!&GJoz|lI{4a|6jm>-EHL?!!b
z?#B{rN<)5Qc$4NO>vdf&pq(SLFf!cf7BlI^febIk_Rd?J|G!s|Kv-Y&7X&Vx_aVe4
zM=RyCCc(f#tA=0ySz-QGfBO^MN1>k0cp!ccx#ZgMp~WyWf*toNd6BP-zYrsHDLH2@
zTV#HU6C*JHaem2r%W2&+s-?+qTHaB&7u$<~(S|fCMX+G$O%`QXcEZv*=ErwZ;W;oY
zjcgw)0lOq61AQlsp~1T34fiwXxKIEt1$NN2tKDE8-_6Yob8E%tYEI${JiLAt=|Xro
zuf%Y@`?xz9DvSe1w0rFKT#B&dHrbt^H&w0UvSg`d5w?ifJO=B<7k`{s!S2Kokva-R
zNWz5kO0_vcK_QWmfkgFTNNF|%e18SMWq;E<zyTy>)Fwk(g}-ljjIlyp2XSh&xDyfa
zIwU|Mlm#z&_=BSf^{bd@zvstKLs_C?oAnORUO7<YOU48|eW}tEL+m%EaPFl@T~#{S
zFEEeC<z$bKS1J~MX8WDR>t{AX0OjxUC3tzIo+|3j-i$3k>LYxazN6O{qn!Z2TO3FI
z+;Icg+~*kT%bvU^BjdDmb9hXYz({(N9@;0^PYU4&3y-iui&t1>{m^n?mGKgqPAlP+
z_U~D|w|xkL<vyD_Jd^40IvJ>yD19V`I7Ur%i`lne_7N_)FQt9?38E+cLB0O=J>hNN
zrIPD@6mwYxJLwpXclFNcQ)CCI>`xhcdcjp`t_l~i(De}bqfEpS5w4)-iw6i(_irSQ
zFvb30YNykc@;43;#m=&0z)9(ynnLYJVl$$bw#QWbt~Nmem#r5^R5|W(N3O)1rK%Oa
ztzgza!rCr}B`0@Li9ymC`E}_To5v3CRhC0$Ijx}v-5YIt{~~ujp|^KxL>YY8<?GMH
zzAe4h(=JHzwxjkQl^N<eAvU{E0pI=^eR)^O*rK19RgZh7@s!($2+{)|w@BFT8l&Z+
zQn$!n4*GIpOv&^$V^K=@9zojMuOPY_rl_u^8|1brMOUPBVoZIzg_g$kNRZX^`A#dZ
zYH2A_8khU$y#^8i%a$is6>ywzrG`bhlCW=^NX`zoM#<rPK3~GH#XG$ruJ0ZSp4(a6
zRmg|pfyE4!7EI(GIR?oLI;^F(&8t2Z)KX3Iem4H7+je#LkdT%ny86I;_;6|Hpo@m9
z7MuIf3YuIb-9>}8WZ~n}iOQ)Xi>CDz-u-^I@?Gv18r@F{3Q=*{YS`g+v*_?m$&zQK
zM*zJr+$Sg~-?=}FECbe7$)6vW1elZPD=qD%5heJO=)lXJ<^0)Yw|y8{3ef9aFSw(m
zx^1%76i_Ph7BTe#=-q_k+SZk2I+2r)<Q+*TF*;k{X(%aE7RuFo`&Kb#uy^ldLqpqA
zc<RK$EU$sMPimvtD8VQsaR9mq-o?4?4jG3iPAbk+=c@*4e^3Vu2I55v8kVxIo!<*u
z2mMl4_GQooCJ|A;jxEjC&AU_hdY5yZ8j|~n*w_VARH2y)&8CfYZTQsDFt>8(H7Nr=
z8Gc4aB$4x0ry3^P>I#u-6Nkwbw^3|$kXo>Uf&$@B8u_P{!NsBR^roqlrp-Je&k8PA
zj?65#D?y8a`yBm-o(Dkj&&k2h-GrMGf8ZI!dhU_xdEIY9_P#yxHT@htUuj7Hi(?6&
z-FtCZ$4ll5DR&o}<h#dKHtt#d^TvAwsXvTuh<cQel-%hw>gEf%gh4}b{ZkHQ>xwot
z?wabh)MiU!y_rOM`;awPZ;sI-+gs@$jC|R;DLI(B6mBaDh4s;G?Dk=e#<nS#FmAdj
ze6hzS1LtMtL$<KYLmmFz=&ObmP1T^`RVGaae>Q3(8ax>vWA?>c&}4{cL?;=`shkYf
zGlV~+V^b+c6>xeap4y563!(d{boY{;5g4R&DTfV)!F+wd9>4;_;Vu>{Xxjx>h*u*3
zNZRzFBT3%By*@4qt;AJFzdi4Kn=4U*ZKO|tpJ6?z8Fm|7^fg3Jn(4nUduu=Y`uL<Q
zakF2~xb&A8G(tB3s}nrM-!8Z94n0|L;9eKcfA4(0{Owg#)D99}_U0*D5$^$7X|T9#
zu~`Rgc~B1oTjEw`cF{$EEw4Dd3SK>lK2C7z!)HMBI-;B2?7kGTX#*gA_{**3CR^K%
z<YJ)|W@hYwg|(r@nBI0#J@#r86cilJ8>A37*FXy2{8mq6n#b$=kM9n~B{aK{7da2x
z@a>d4YxKjr`xSfoTnh{&UoK^X3_kaHpmJySVyH(XA&>=eja4O%ZFre!)Y`-{_b=aV
zoT_zc@0AZ9|48@K`a+2Bc{o;(qeAsR@T$Go2bjM~MRF|<6w&Vw4WVyTpIbjWA|2vS
zvD#rTbX`VBt3F*Ks)`;+^k36#m1Ix4M>`Z+ZedpOQ*?8@$pSj`e42F~-;A&9O-y8c
zezed%lT?2CapCgOCsoG>&(rFah}+w*is;29;(bQ0c?lZsov7|T%I<Ay+wqOt;+2SN
zhs*AwI()soO;HJDWV7QHR*UL+Mr)YrS-b821aP_%zq1mXvbT~{J=j3y9c(FM)oyv_
zx34&f!vBchPioEug4+uM*f<R^fC(>nRUgf5Zw@>3;9L#CUKzU9oDHKTJe}^!ble|X
z^pDE{2bmfUKV3#L%=vz-Q{Goz^Euz8YGx``Qtn^l$JcG7-m{8|&Z^q8MF0aGo;k)!
zCNoAN&tB%9YuT!tMLW+Xkw1R6^|n7bUTTRh(|#tdd_r1nHDI?&K$hmkkkx8hw`bpI
z9o=N#?QmK59A$WZc;|bWb6US`S{WqV8OnS0*>oMO^sw4fYP_77e1KGkv{{JM+clgo
z&CVBS`rriT+)U}S??kABeO_57Ss%i{YA))U{D~2c>+fB8bQDWVGAb1shKrkk^KX@S
z%qA@>&WFay`daU==bE0IsWwd#GBN<*gz+sw<8=(Rc8xDMRxI0*(O%RDNz}QQkV({L
zIIdHheVr%4DTw1n#X;NcHnQ>)0?pcAKi#P|n|4lwU0t8&^@TBV#7Y92ruY3tbH#h=
z^KnAp_1SYJ%G)`{^MmdrpKX)az!LM>>Sg2DkL)NXnUsq>FGOufNu#q&I-BrH8XL!h
z`N(7?F_8W?2B~6xj@9DknvOyuga<=UOSwm5g-QA<&Vk~wnb`dSzU{>qmIP44&QQ|Z
zp2`?7Z@q0GRGq;6ob+)crIyulaoIY=;?f1(n<6&r%wnxQJwbR<*Js>i-D^@9nRAEL
zE7{Vc2U&sLbV65gu|$eQRg({8#pPuGOUbnOh{<@?HzxK?rXHJju<dLCBEek-s1=+A
zd)mqgcuQ!t?RcD^^MJ&@8q=(MAjj3xtv?NG*lyH@6V{2*nKK)Y{BA=!h>@VKgi6*i
zOqO}EuN~5l5a0A-@2<35&8Y$g;n3?Gx86NzHq#AN{`dljghbRYJ}n{5ENlfs$Ln?&
z6wvDas7>@DHXu%GJhWKUuSj7rzrt*L$?_m^X55x8eS0vBvfLtFIx}6w5NWmnS_fG6
zk0^g-zK&jwYCW#3uV=|idgj{;Gq>3GXZ2+b4gjOQ#Xwr$s82N;j(!3ba+K&*rQ`1u
z+017!W4jN|JCoaj)?8tegSno{wpy=B3AC?4^q8FfzUv{(g@~H~pA?SJs(3G=Q+wX>
zWB0ef_vVyCV|D^|I?D}6oW0bdWmR;|YCGeBcI;|=!rl{mRcM-1`l=JI;o=#zR@bc7
zuJn7I$$rH5%1m+TV=V34T+OyW&<l3Id)XB47FORe@T{CqmX3Oynza&fqdT5anrB!c
zK0?h(2IGq{z3m<4N-RsZ7K0`$mwwyLeaWTNJ%e-qD<D6W8$Um+xYOynOIO3@s}(72
zWH#2t^+#mxam&#6F+jk#BRU>UJ3h;<YuLwKQ#4n)ZZg$V5ax2Wesi|<MOs%KvhJin
zITOjG%mq(B7*9$tds^*k0>qO6BKQfu{(T?jUkRlR{hy)MytMd-8z#k{cFZL;?O!0k
z*C*_QH&q|XmvUXi8YUivsr>&S2=bn2Td=d7$jF^416BC@0N;WOODQn($8CB-r<WEe
zP7pn5q|VSbD9$Vx2Jek&(1V&ju$2>X1Z7-Gobj?3GJ^;?uM3Giru`qCK$+KOdsEmB
z;wrpXhd7qM!kpq!VE*J>zc9I-KQcSWA7!$yt6dLw#vJJWPT#YP8gGHa%R_k809BZ$
zDuWW3-A=rgN6wi}oD3J>o+xdGL(}h<<UxdWO4zsrT7O7nvEh~XR1A*o%$jz2jHHQH
z-0rt+Y|iDQ-3B<1GF0<0{E{M^h`F7(Kv-_|gB$hT8&rl?u}n9EiyxHEPc$JISNpdQ
za#}KJPI~kd%H}6HyJibxk5<B17MnGJt_+-BPml(q)-++)M@WRwXtB~DaxL3~$j?`x
z6{iz;BYFYg+6@IwhqhXST*0bPouenCS8*Zb0bes$?<Q7?wehD{d?BvdmC8fuD88z2
zsul}uw)0SfiLIjaWIo+W@agkI9ZosW5nL@sX%50KRd2$ZFI5Nxu6>%?jpi4+2yudN
zF(aH;(}UU5vvQI76WY%X&ApW;ZsZZ@81YNsU-0ghW0pH^dznqTIMHkag&Cp-$EuZD
zGN-Fe1&1kYbM3|~9_wZUmM`_L7`{KMAtKnB9+B`8!{EExyE0{j9A_eTJ6s_22~ppq
zuovrH?tBe^eg!kx$iveY#GVfYUG-Pj`!Q3cJT$MAm0)&b9ei}voh(U&fv~q02fgu7
zmyDB}Hs>S2oyK&_{$zZN^84pszWGvYf!lArA)$9XrcJejIc}KaS+X${a#=#E+D@Mu
zEY<^iaC=3Odd>NRLw<>O;^?|Y0oTZ9JkC3)HdM3RZrI%4d(rEiMxF0y>eAELEk~{$
z{T6Cnvd(y)!(pSp`&5}kJ3e!gYs=hWHu+l2*$B;-suT+PKP~H+Fn~C}2e@0z)kAxb
zmJazO8hHsc+DpTHN}v}}_VYj7SKauFH|vu-RJ?FPRLbJ<w@g$w>NP~D`7DxM2MvYt
zSND!`fbPa9z8OA-Ea2{>3Ah{(q>_V7<S{ej6v}pR2%FT6KyYAjw8L+Gt^!x49#>-}
z&mOXvVysFY+_2VG#p^-F^?h-ntLy4FeHicGnnfvc9~=MQ^sR}msbBOaQ(cfd0}Efd
z{J9)0WTdd^^L(M707J4qBST|GRhH?+_Oo~O_Fx@%gFW6IH_OMX#JL<{?lAMUsN-r=
z;6-bD)&o}uK$Yp0>6AY0ZqOi&9W3VH9uO<*Hv0$2qRn-Pk9_JL0K_3OlC!y-s}%tt
zS0#yCE}rE2ChJICuA-ZN^LSx~ciO&9o4tEjcRcFy-uWIQ@n^0`PR?Ssl3-HC@=gPj
zoY<~f6q{CEP`AOVo4Bu0evvM7?Ul&bHio;8+Ndb%RD`u%iLBkKiVxZi`K8#atx++m
z;Sb;oypCQmqDPW}Z4ew|_+%OWys%j>7c~s7kxHeOi1lh?VG6}5ZkhN%aZNclMc~we
z^=b*iYS$k3CB9Lmlo?2RGy2`vro}BJ10Y?!&8jRhpj4@a=WcV8eu76Cs^fjcdFOyb
zlNC6H4ccznd>02`m;a!MpYGtTVS$9Y*1nMtJkmeirB50~`K7z$R^uywT7;yq%_ytt
z$j1AmNvdjjr<U(Sy5Z!{H(K<DuY3DAFHh!5W!QCm3SeOMU}&6+wlw^&GbjUjJ&=i<
z`Cl0UjD~2k#@||N7PCj{y?dQ6x8Q6ArGxT_d0XKJS~6X7FFbA5lK*5>!E{8{?D1;u
zJMU>qk<r}}N|UkumQng|u+{h4_d`}Lh&$7WJpu0oAKgRdUxNQXw2cUw@6L-6<?~W)
z@=)7!E{A>KhDm$-=+Pu@bnxIofBhaLIOJgI8LDpjD1n)YqR+o%_O(S&VD0Ey3vUhR
zVLuVeoGlXt+C1#q*o!1wNpp}w3Hc%U#`u6~ghJ>`6gTX#Ykdqsu_)+~+zcU<o1tx@
zab}xJ>ihy^9NwH;g}2v{m~PDFWKR1tX)%x0xDXwOEA?<7bxZ*9IsxUP*v6l6%zL>q
zhUf5zW+rG2kH<EaCsa4I5Zb|iXAjw1$B1iZiac}_Y(}IB04G+4$z+bOKk|f;9RY%9
zdeH=gij?bLZOb=D@<Ty~O`9FYJ%h~XLa=>FnX3y|;Rj5F&K4B`l78K;jIZ}sw=dF{
zEb-Pt<d_&EncxqDj}k%R@dISQ4X^WW7SpB7MBMgqI<7Y4GOy-5?_P2)YtFp=b5(-j
zIAed0Iwvt3;C$-&Zy7qLD3EiSvOeE{`}9+=r<&>C2FVVN<#*12eZ;>GO)17nStc%b
z2RS1q$d8vTKhSD*MCy3H;ibLoy0C0N*ZlSu{sIa0jpBQ^Dh;p@f(?q;vP2v>K&1HL
z`7*2)rdKQGhO9rED17X7eLKkV_Do+)kMW&}Nmc>exPF+ZIsoSkmjm;41Y#24NZ9DM
z^4h|q^{D<kx5v^pvE*wf0cN);AgBZebi6nsVmKE{9{yMwG_43u#qPFky15;_F}^uS
zaWNa#<)8A=@k|Tl8Af+bqzqjs*Zy|8WQffBeuaD7(^q`6`{U@<MHl<TC+&vz7QC7X
z&jdUK)AMi3S0ae;`3ZYiuh+)s;){wGi(%HnqHA<;$qH$7=N5#&#mK7{8=fmc>W3&Q
zG-@(6nk;<3dU!f)S@vG1xo=VKI%fz^8!w@g4jCC`<ZBZe{EQzhl6_6=cs>w@{Dq8m
z#+;8w^6U9c=>J+ve}obwr#rLF+B_CI5nlsl6T3a|Q8<?yaBD1+Wg`Qc+h>C-ri`7%
zGP)n_Q+k8QT3V>kXD)AIF?Hlp(YX+|K^qU}K8Gy|(X+XMW#)2<KW`5=LJ!8?Qi(nG
zpv=P=JjErRkrCkGA4Mba8O_Vd;#DN4T`+v|pkYz|rYLe~9izk-NtyL4iAhY*2EadW
zK9eXwQ>6N~J?;&8?6;@%fCl{UQ4Dt^MI_ho<&=EhlpRwdIZ4p4%cz4d*Ro=Mffr~J
zrz~QY8$56Z4L5!QRFa0x;4s3c;^5x7Y~Ku~rQQ-x?d<DJC-+tK>#dHoTHiNvq-oLx
z_#@uKgcDc|YB7go1%-B?84G;gH|pKjRU|hWl6%YhbGao(lPdn^nGd=F$?esa8l8t&
zL7<O9uGXt8@xuV3lmwTQH=Wv`pbhW3jC9hPKXx~lKXm22D1MXGt4$JTrnp{HdA*;i
zQS@sIiA80_0DQ(Y&+VW6uUaf7z6mGwvz{cSzl#8$btG#v?=D<zib63ujN(?o?J8QH
zL}5A6e4feJOh@qWIWZNl=ESOmyw2~aPfyoPfph+-&5*Byb|p7B0W1L&v9TNlSD76r
zz~A_szbA)k@0VCVpLr5{lNu2nrj7>?ZmJD5*OZR|s^x|9U!SgF@Ey(hS88cP(b1I-
zTP>^dWh@V-oEEi_ly7?bhNa&g!$Z>}OXSXNSj=}8S&Xk-pDuu^ZYKpW;Vv7m@|A*J
z%X(yy^m_x>wN7U=oVu?WZD_?N|8i0SXw5@tcKi*ywjUqGPekQAiZyk=Tu%##{JX9G
zhrRlO_wljqoO@L?`&y^K{{(16KkSa{(>PfC^uJ$6$p`n)8ou*PNle<VZKX%gcfaBE
zjrVRz_yn(zBwp2hcnZuoZ8)`MIg~vN#ccXMZWLCb*kQjby3%OO*>Alr@{i=_)2Hoy
ze#P$1`n2R}ZkH2OCMX^G`{NDY%65Zl*Je0m<U-5JmN?$_2MiwQ@kaokeKXb1UC^LW
zqO^CnwqIlaDb^&PcAN88RG704OWgiS8B`Q*Zs#-fudw3g^JU7$OcE5Vp{0_VDIY%A
zk~<yG72dz!Q_yC;6Le<i_Ujn+7?B5UQNZdD7+xPVbEGl2VT;U_knJVGk~9bB9xvvF
zT(sVFy}BUSmwLMSJh>echDA43LqiF!_z!PqrWhNb$<!_yGc12E6olb@-4jpEqpoa@
zkkCjJNhWi5EiLQP3A&pGexob$IB!u3VP{8fi8|{9u|0Y0Q(#vJJ>Q)rQ)sf;=FE?R
zYG1tZ9bWZX^L0tc0P~eZqQW-KN$9C_Gu8H*6fSB;|I`jC{CZtE$tfU=_rnfHc1`4L
zcFA)s*pBJYQb}B>)Se_ym!{aY%B!A|)Jl?+Nn^ow^UopNtM)~F8}{k#+7>1&D_0Y|
zU+4CtGd!n;)EDMJw!!$Hy-KKH4Ioo2kgy;$IXeXIE<~}g+*NM5j$Rw?2dl;JqAw@f
z12KYozewfIlT)B3)$NEgbJ5$+rifv(^zJx*1Kn96VWD><(nXRdc*Sg0dB^i*0KASW
zHS0?n;sC^a_uH>2<<qH(v&c$2jYgMo0S>4oY~|_#ZOc;AuP9oww{E=O$;m@Z^B|IU
zd5BZuaK*C9;F(&!Kg<_GUNX#=qe+gZ4Nk4Og$Fq9le^&(tk#?NZ+NQMqvX_^-rGD1
zUR>>$QE}A!j&VD_Gy22ZdECL(SnLE;EfY*jv>vTgViFV688(BmwokAukm487j}Fp<
zLR|2d6yh%fKt#ED(l)(Web=%Yl7y@l=(1%h6~+bx@#VO|4Pe9NI(e+H)pox{b=z3h
zhpi88uGOWGJV520OM4D?I+=o)QnKF_8pRQAD60?K?_OQb^Z82^C61Hp-*Ah>ZIseQ
zBXA}6N0N6r;qpm-MCJXulQ+IGu${niRsXv36DF^W4lMXBXj2eUONri={koWUf=BHa
zwC0#D<4&`m#f~g2#@pJM^CR0eK|<E6KW~ys2bRC4s3J*PN2}HycHMRNR%im+7t#P%
zc_MS_Kz2Ts{oLe5)Es|$6KRaZo-|1LO3B>Cp>O@^vL!3YGX&m1tp6FS{jc)2<u0U5
z(tM-+lk}Cjq!hMw;dZZ0vSpf<n1@r*2Cx+l&2AsR!^Bn!)hp0smt#1?G}&194!vmI
zL3?N)@s`5_pt}EC)Ab6XGwbos(#ZXn6366*B(Z)()D5`^M!Iv?g<@d&A1Lt8SNR0g
zW(F5~Q2Qbw*M)k7(EqoiwUEYKBVq6WPUW}+Aa&$PcNap2?M}XW4*UDi=1bKO>@QUU
zzO6*Pj^awFQ}!40N{uy=N3i)1Vm1Mmp-7hac>9AuPmQ#FsP7EbAFVgg#TM7?2r#^s
zt`SyM!-lcx7OCL<>mJS<l0eu^us=}^xtx7r<9<5hTpVH$DQWVg6Y@Jt!wEnFd6F-b
zP<UNQJVp*B&fD+tJkTD4dMuQSq@M2fE=*28LGyRc2njJbFH3qEMG^7|l}LaO#a-dn
z9l!#})>uCkNg3x#mE$2rIo;cxNdR?D<fi&?-U61(oc^|<dyJI|c#p#@H1=>Y)Wbm%
ztFh$?0gX;)qIe&h<O`9m66sW?IR=U}2#Kj6kZ6XWd&b8~D-%)NO%{GIu1Wa|-8EB?
zq(CY$KP@M5S$JH3rPZko)m^~GeEDloqt)_=j<IuiQ|7w#Pr*_Go$ycsEc5<Nfcffz
zHM)sK{|Hh$TSyQC<Hww~7>7p9(mHD^H=U7-0mW7W>(YLh@9_+swCVj*T*&O7zkXTx
zrf6bP7y<3Z-x;@q^u<jgBHOk;@(<t~OemCE0HsqH^MXr{DkSfoHu)Vjp!~;q@qV8S
zt_l^&R40ko#m0}{WE>GHm1@HQf3qT9KO*}qM(nVCS4hU;l8X0wrp?6`3OL<}|HZz^
zCDiT=g@L+NJuv!|oYRS2iRO^Oa<wvN&?7D#A4OP5<F8T`X^cKaOh%MQryb|cC}Cvz
z!e$PoxK?BMgFL&3I2@lnET^mM1Lpwe=SfLwmGU?{TLN~Q9AoN5$-}yfR#r8N-mJx;
z5V%&uLpzODD=gsqMzYY9ziAE?|779T2o$E%FqX7m7$$H62}NRNI6l=c?~?5cQzV4#
zEJK;3A!FH^B6xzchjmh`a<W)7vDMQ)dM5GSjgzbozU;vrd+H{3fM0cySIeZZu@&tN
zln>-%(DkQpOW-|2{3Gc>gx97rNHImru1%j$4;c6VQM!bbUSPdi*l<*k{4O=wd68Bx
zmeQ%zu9MDEEPVag&V5XA``cJ3K5$=hz`;L2S2#p?Nl)L+Z!xB!@h_ZZm?{!IgQZuf
z!^X*aQ#7x}_fdU_KImpoDUWk*l@X7A#gsuEoxHE1Y<HO(%W#@QwEjtBTomNC+8aWM
zG+fhTt#db!MN0^YYjGo3<v%T^TzQcjEI-BiZ`BH^7|a?B=^EjISF+yvg9bZr0m*p7
z+Tlc<`oE6;Fxro<9AD*%AL>4#@YWIwVy=>byD)u)LjRltCS8tNh`Tt?=fz+t;|yFf
zX$?##Zi|&W|2Kavg5{fGn{we4E%{j2ggMF#FLb<>N~U9DxY;hk`~?YNKY7Hr-u;%#
zJ9Q&Om}b1_%l_z$^5U8}5<Uy6d^sqhW%t`At$N=HStQR2u_3y@#9*{(H3%ujr+muy
z;+LW?&^<w)UI4GCJVrW3ggaoM6jLqh*2vAyKB({KZ~$Wb77?^jP&EH*5HD^;!p<CY
zr1^nkjHB}mG)iQCvJP&)j_A)7=hViIyF$5uTR$CJ#Fy7mi6P3u@@jT0S0?*>#cC$7
zdij`t-U_z|`D*~G+lR1ul)DYZjX|CwoBp5-<Ft&e3nOgKK&ul4mjq#(OrBvQx~&20
zXeKmD(!V?ysII9Ackxb8D70SBH(T<;vn4WZg*RYZ=A}A`cE^qPxQ^c~iXwMYS9HG3
zwN{T`R%)nI6`fD@qIrdvHGj)@RNoSZ4yNhLaVh_Ntb08Z+qTh<(WhxC=fo)=`wNtV
z<`Yd+&Y1tqCGDe5j(9$hh3!7(#inrnkudqMi3|bYp&9olIGDjaJ&>ls?HZf2X$1BY
z92F9f5EP>t*NnG-))U=*5l5(kHc0CFkW4M&3x#bDTdRUXbD%?hQ9N5AMey|4#7THe
zodjv;79Nx%%u84&;K-j-OJlPx3@F#Qx_6-PN-P|Z;b!o)qHVBT6>SxT@g3%u$+4{L
zP>dQk+4^g_)T?MNDZ4=}k^-GSl1Qx}Mlm0m&XFFi`27S|2;L@2`<J)x?cr^D6-G2)
z*YZ+`vsz`+@WQgMA@wpIJF#&<@$W34{38U`CqMkz55^{&oI!@F3sYZe0Z-!$#7&Sv
zy}njB7p$LFaD@+<P2kkA14)*no!<^8de3$T<(6_{(FRbq(Y8yDr?&I<26Nv1{I{V-
zzfcFiqVP-C3cGIO9w`pgMnFrI&9$(qqyR<ixJLqLmqKgK^{aH7lafuoVzg&M0Wvx<
zQE4o->y3R+etW-NtM^_^v;Q0q1(&6P3%H~P>H>F%VsCRw?69#!(h+{dStS1Z6v)${
zQpUiNwvd77ZJR-(d-Q;2M#l|19E4wvsQ-mqyu(3xCJxX?Zk6I?qq%nFOF-lubci20
zNG=JB8S()(;f`C&2vOuM%y%_Zi@<;1_&=70ZnQ2LtR*5H_Oye3m%J3*<LQF$uRza=
z0FSV!(n&H4<mrVzmR5kP*yZ8QEBa;;+8Rnbm=te)DBU!cG>Ej|L?*A>{|WLutc_-g
z$c{*PwQu2|;9mK4LQsQ`RPn;!AxPi1Q(9a44VU0ED9(XT^o%ZR-qer_a`0VIVXauY
zHOqB0=gG7YQt*<w@Vf^H3HgXQ#QpY!t`V1>sd{>e3hPY9oT86Z*{Di{TJ_r+R(ukN
zAa=l?%+S!^vO^yW)H_8!e5er28a5#|u8oWz`$br3h7!*?QuCR<7B%@#iqndqgAo5a
zd7|$Rv^!}(%##7{-2<YVIgESBr7A<|m_PT4GtxQ?8>#}H41guS-alxkrjt}}EVm%@
z3=nHyiSg)xV;sDKIB7$lt<2w{*7=kV_32-~eJdaYixl?1W_05;emz`r9lH3Pox}=G
z(Msx%z5i)f90S4+x-lAAhH;~ibrfj-ltbtx_+Ht^don(B<sIK<k{3D5B~)&Jo~aqF
zylb9_Cj}{@KDyJa{0kE895+fq#lJs=;j-I8wGNZXFUrOfR4!9VJb?2LcD$I<r<kwL
zDdIpRWHIpCS?eNBF{l(0u3#GgAU_EaiEBnKVN8gT$mVcKA3k4=o^xoa;WvP%(vKHP
zgdwqV$$UvP>J)uxBZ&-WKMB8-btIfitn}_>YZgm2bqJxh?KYClwE)Cw>=(-Uj|Mb}
zO*uzp&AZa+GPxB7$dI)cn~7vzjq$7MM#!^z?+6PZ8JVGKIsg-5LEi);bfL=bRr%Yg
zpY{5Ngu4zQgR07v)WJ*CI15_-Ll*U(?^=!YeJpj8`l!aGjIx*MO2v+PUMu^^7@q~T
z(i?5%{@&IQ{OV9qOL66`tBPJ*c;<l_P!=w=6R&!ecIW<;?fF2_-^UVjq3?a-gaCSh
zq;Ni*)0V2&am5!X2E6PNjB-ZoV_1bc@v;nPI#OocA|i8xki~+yv=D@a{m5@Lg?9L!
ztdAElN5G#!^gZMsb(7P_@Os$3a#nRJ%2Tpufuz|m@UGV;hj~^^mDGm5gf%|~BFeCe
z{YNb&fJS)**L)su-Rjgh5K13aAeoUwKlRd!{KjM#W{X&7Q%Dv_k4g$V-1Mbbqz4HO
zWUn?*^}8{-8}DVGP};o(#lM|<8v#q}&hPe2`tY0o^F@pcSS*#KZULyvv75}lFlq+T
zh50^j5!mzFSEVV#s=we5${tXB@!x_m;kmFYlqQBXU=A-9CYHGn0Y=<&Ou?=JTb=MT
zB4qKz8u?`5-#P}eFjP|Q+>TG6iJGImZeyQ48C1@6UGcb2ImMs`kk+Gkt8d?OKcruT
zQ+p7ev8AARZjUuqW~kv=O_Thn_mx>b=$(c&%BSDBekXj|a!NFB2~MOVeBE0L22AK9
zyr<?oX94*5r-Fr>%metUMfY-$!HmN?sy6*IupqK?%ZbbHuP{~G1e$pv`_l^q)W!Xe
z0kDP!Nt)~{c__Nq+hr(2X>7)J$OpB~A`8|yRwHsGX8te)vA2<l(bv#dYh8<;dW34{
zxl<LY40a%3&5l7!2fWGvDyG8-esEEl$+O1J?~{q%O0DNV21$V#M-z)2(j?V_zuRu}
z+_JoI)megg-XBl=tE?S>Ojlp6t*3&oSCENZ1yt~{tYYueoLT0}|L^cK#e>pv`G0O3
zf8kyLFrJ=|%#!1@$tY-^lcGyG5dLB|;Br$*EfN*~`VLl_39b+coUACvt}sx1)#3sk
zye>>g0RApf{0_fu1e|Kj;@$bqt0S9Sg)U5XLS;A|x6fkmz*wr=nN_?tK)(kGGo~R=
zgIrsul~uLrCL{M!zpt7(y4~3#!4WG8L<lrzO2qqM$073+t^w{dPkamDkqGVJAq*YH
z%`?e$iH;+6SoG>o7}EAR_FqVHz?bo**O)?;3Wnq9XGN~zzHE_eRfmVdN5}cZ<nRX)
zpRwF*pZD}u7b|hB(uAVo;wMF&@8l`E6Q=S;ziHDL4Jm?&Ec;<{1=4syavIfUSgbZ`
z$@^=>x`afAbVeCxZdZ)j$VcsU3oaf~QVkaK&A$Be;pGzH$uBbO_91y8c1waMx8}4m
z?_Pyta<|9xsXX&iS!kr2HB$Us4&<32zf)snGzIHoHbXyCxL3NC4Cgb++%Nkhwd^^H
zbNTAR7BkJUhxOTvE%q=(L-&MX&F7JA73Y$ZiabR<u5tz05S;UAgghp-RJBZ!RF=gk
zZlr$G+mwJn%C(69Jws}@=tYE=djR)R>)u2f>8r5$VAL;)D?%eVMc*^F1M*Qt-)pGJ
zyoxCgvA_sc{T(@*o@wIajf(IX=c%tDq0EdjT%kXb3#3%1bNqujGPDd88q)`veSyPW
z&{#rMNVrq<Vkj!7tG(%y$anek;zQ<AIJO5d3c{%givGuobwlb$(vrQ*H~IOmj`u*-
zk;kwoS%#c|!w??W3M`e(#UWG*pBhs<S<=zIzTbIBVCUhQWk_CWy72C8-ahr>R0iku
zeyW#vq9i5}maI&g+8wAdO6np*J)`LhdWYl$RF;&MutvkFV1e74$=e(EcqVstC2-(M
znk9R(+qUyD@#)UcPoaboJ{8u30s0W3*|0KqZ>2We-3ed%+>0Y>@{!nq&R}Dp{g(e}
zv&}Xa&+F|mS?EKp1pfg~f`%o8#c?}cXn=k__ot_P?K8h~PUu=3uxaeOhh)z74R{GH
zv^s8mXF4zLV>aGYQ!%B%IK7KQ`zx!o-l}XiIPt3`iY%WbMEdqP5U^~slI)z|On#Do
zFrFrffr{SwcA!c2O{G}g*ZuBr;1qmOC&IV+#qP}&-vK+?A^nA?wI(f1y&-^ip7WT8
z`f93t{(n<1n0zp6V`(p&^IOKOj6U0QR2@`Td!0jvc4Yy{(+<g21K~Yd=r&&~_~po0
z>b&1$fNRM-`BM#536>-s`1Yw0y_BPZRV4$&7WpKcb_;uYI8R&2$IcE$Ud5<283Vo}
zvy~^;aEYJJdwG%RJ*Hrv?qz3!so3Wycpp%8;NAb&!hZ{PciB)+m>=^^q=zCg-tfZ3
zAksE2aRH4z{K{;SJvX%R|B4qZ9FGRLGgSo`H(o<0o{27;r}BW%t~S*0*6Bz9bjNC4
zLrY$!PTzF(A~U~EeqP#TXl%Y;IIqdjpaJ+Mx{z>)GP@|Xp@}9~^POl^UK7^Ng%Im{
z2_(PhgO{gpROBh*I=HsE-iXhWx;EliJuLb1mp0UPC-|Jrcg>^bgSdmWiT`$ya=Q_V
zm#o7^t<8&$^gwQC6A$uF3_GH@rvPzh5<VlZyY3((0?44Qw@(T98N=>X>{37T&-By6
zg|Vx}?yalCMLy~&M>$pg_i%%(j3zKIoG+si-gh`#Z@vla*bit#Jk7t$u!c4zfgLcl
z3>}s`A`pDBWGf4!4>=%Fg4-^k68NU_#U=h%`)!)xAtK@h4n4=i<v8;sA3c4i2>qgO
zN_@2;yVuLM<_kJ^T$bk{_Fd2wB1B{q4ry?JZ#}@Ln5{<Qmw8O|&U#~i-!bQoB!2zs
zG1)Asv!`0BrX!AS%rO@g{K$hDK<U4Tah*$$#U#piN2-h%nkx+9A;^k7nko}A;-u~E
zSBss;<(~i(EMewz@?*g+S%C=H;Xfknyv;Yt)iIc9rb8L$iWM@0s%c%;StFiq2!6fe
z-+r-PZI$UU_2Sq6=>(qoWAc7U4ZJ+yW<$&21iNi-PR{(1s><IqohY(iby1XAxLz(I
zQ5c+%w&<$UD79F%K0zt{z40W7d=~HKd6sD%&kS8FC2#g!k~@Sg3&k_CBj)cHp}zuc
zCepaLd<M8)?Dn6Dwl74Yd9KLG5*DZP#16}BDdbNMG9B&CDe#~BRfP-$&LN<4Ze`}`
zO!K)<VPWJ~DmrfnboZ)95s{c&Eex^C6u?k?C&m12u>wV*YDdZ0<dT-3Zv>AN<V%XE
zlF8L@+F%mxKd6=pY9gG>Avs9C6z!>lAG6#K+qa64CMf^mLqV8m5QnQOX%FvArUWrh
z;i)FmO|v+kEY@4>TeLzN;wZo7R-)D+pRGz~uIh@+n!Jc;Hl6<y19a)>IYb^$M|d~p
zj%x9M?x!1CirEE1>d9{z&%N5;Y6(sGpqvTOgo&Z>@x<A*Z)+THc4j9SDpg2+dYmS_
zG9ecDV7cB%o1Bb!CHFa7cikQF?|@A$<^o=b$^C{GH7}%GeXhk)*Zpw&hxt%UnK50V
zOnUcTJ7+m#EV1_<JjI|k)GeP9M=(^l&77e3AGH<-kt8Zw9bZzyF<hjMozE0U1q|CE
z60Qg)3WLbstkL7Mb@7tE7@;e2t^j`oF7_-EB3F~qsz0#<UuM$Vvpks1jq4(ypSD=P
z5I22BIg``%xrM(y;f>*S&olsDLz><BaC*@95Rr$zZQ~k#=0wP{Y8<RGU|QD0=htVV
z)o#t;^<S4k;yl^X{$`WYc19@r`h-%b@a~-nyt7JX+l)y6<@MB9kjm^`$Y{7xu+m_u
z?!Jx#H>;~e@&1n>ucLCTsF2a=ux2p3pscDjfvtM6R3uz=>U;V9{n7Or3~i&-3bQ^<
zL{;M5O0CfM9j-4s^AM|oEUyRB-|5Lt3GSt59C1<b;vf^B;nL?VVEC{;_kJsE9%7O%
zLsFy_&0up4;thuj_2=AIG75`^zni9Gx$7qlhXVvvMb4)y3`ceh5O7O#?Owp$Y|m_^
z*&HLV#-*gdhrY;V<1K9U`?W5qF1Yck1NA#N0o%X4j`h9qvGvU@iIc@$Wv??Hfl3|I
zx+BKbeDmK4F2E@Ek0J7%=%bC=w%e|wL_4d?8g7ek4?TGRc>=Uu2QhMj3420iTs4^o
z6Z_Ca8uPI~2}d<x)(SgM_3&EukbTkq!OTD1rT$vMc=M3^dAJNk*Et78cZ0<NUra~s
z@i>pABjO6j=iIT->j9$w0i%_-bH(!2j>p{=P%S=Q=vUozw?ahbP|sb-fS0g7Zmeb$
zHi{<uhb$D=+2Ian{cw6K#;uH}4;^OyK#3s`3v%pzXySg$z@gpQ^neH9j2ImV)?|r0
zhrG$&_1^bRt&I}&z8oi4t~OFt5Avrq6}FW#C?35e+!NGzb$5=c%@~04a;@IWbU5yf
z^M8A}C$n6HCFQ(@asyR8MOb&y7ui3g0opQ$4|O0z_6yoa4$E-;o&trTtbRw&e!CGz
z@qd3h2;AL_+9h?vS*Kd7@ccj@FO09Q14*VREF}JmHF_X{#<TDG<9fXfIT)_>{p~rG
zlqph!H9WT;!E|~^?A%a}5UUP@olsKNA)8=<wh##&A8xy{op*Ieh9sEqDZ0M(xpI4F
zeWy;2Z)=zIZis2P0*O3=$q{VrGQ)cx6~nYd&}Kpgl2Wu&W4^<TbJ`5KkfBaC)S800
zd)b)!{l{;Pm{ViyX%&`9y&2zvUP75-0n`7eE#otn7KdZM%~fp*RPqU)1K%M&qdz6x
zeHLOT@cW-vTCKT(cgNwFxacz9#Q44{Ltq-pYdap^i!DP(*mxP~wk+P(*;`?oqRUM$
zK~^wJfq5tW53ba%EH%+kP$Hvk$JbNl_3b_ZIKh=#d(L>Z%6Ly5f&daJsbzA52?j$-
zhNnhrb&0{5=wTG3?S1&YK%&q#vw`|-v(wW4o73i+GaDhdY#}*b-ZXf1RS7)r3^)S?
z|3kBt#A?wgsXZ^SN*=_cnKO~eH3hB${tAv_Dd6Q^nDM$tHud`~PEJmiL`MK)6?#xz
zM5GHtiYm_5PluJ-8cVykjAP;ozWb%oVbqwA9e`uz(i7cr$G~X3{i3eucLA~S#&!8)
z*+qt<m@>(bzVh6{lF9!0FjpY;1K(j*{>f$y^c(1mk;dlnsb!{V`kMYFcyXW6{WcLt
zB-&NsU@a7b@L;?lbD?}i_Ts?c01KwkvZ^!C8~2?xaM4!c`ru9WNGuuw3J&}k;sRw2
z4&<V6o24Ts4;cOiJSxBuRT}<sdvr6+;l49$8hG=~?`)iw9VIr#$u`n0QcCD??QLFx
zNLp3vAL{kcAJP~O#_YMsVBU(extY+ciYE!~@MHfA8R8+tF;f~1RzmOIXX>Sd7O`7j
zdwL6ypSCU`Ky-G2>H96Yas}EqBl42`53S%cZjSn;_r0ldb^se&n0X(#y~Q;LEtj}v
zF>iqsb4ScGiJh3!&MM*+qJc}C!RwqXDh@(pIbD<>bT0Qt{S$=P66Jg*4#891qa?hh
zZ~Atl!^(a3DY?A$5O{B<b{$u(*+*Y+y-+`#aRd$KD@^hY6X(R4Pn7EpbsBi3J%e6p
zx^>cD{LF7huudK=!cNVpuE{5a?;`2}z?hFY2=E}N8#3~Z=y-1fbTo|WkzZ4QysR1+
zSIsDEE@#rHP;MVMGI-FI6n&?Op&LI&TRG;C+J=o`syF7MG`0R3R_R=>I<u+#X-JR|
z4PpiMPjEAVNBGlC9lhB@_3ER(MRR1}d@b9jMKkG68RF4^(ip9(#iSRvwVkUISrcH&
zZu?zSVPml=9!skf54F{!P$pFv8;*s*JjcI0`(LwfTNEF#JW)3~KQrRnDOvTHbK0a!
zH^5$YVeW{qoGD~nQA7h>xMuk-<~J9C^0HnDCNnWL2y7|s%O0zr&_6Z93^>oFd&+vb
z8XE68fT5klMX?_<_5i&j%fwvLwL_!_l$P1??MKkJ18lQDi`e|I5K`GDfac(}biNGZ
zA<zP{*Tu|LH5I$t&2|RBzhv3tKGJX&_R8eM?ber*oypAfYUx>0wmjpOb2-qVt}>#1
zI#Y?@sJF&BQpU`71z&sVISu7oayH*DSX*iSLfR3TtFvCJbWM^J0Qon6UPW0i4$xX$
zePbc84$)1|*fEVuw^b$+Kxl$ki0q+jEkh!@F|=nCf7DB5`ov&-uyi6ra)A4sVWbeu
zhp58AM%Bb7D*BH>?JwL1Uw}6-2ARjBCi)~|BJlskGG*Zsc1T`c?;{8M!JmgPFaGRG
zKj<t0Eq|2aD2NIDS}gWukk5i=a+T2S@Z=<uY`@>&cC1x^3A{kqSD~fd`E$MBYHCSA
zXa|>%qw5~nEB$==nnyONwi$GpC*&&6IkX+|)8X(dxoZeiw?3)ItlF@ShN9AJ9~iYg
zvEFLh&;9<)+=CpxR4Y~IZPM}unB}vkwvbKZ;A;#egaLfHDx1O93BL$-9RBV_$>z-1
z8InCr78NJrV`c^iv4ko8peT1doSIPV(u@favRnX7@rtFs7zR?;QgcFEF*x7c@_5`F
zji}KX+ftG$L)DSqc|xBPR^x5EkcJ1?$({qBKi{5gqypc`;TX%je|y0b-QCw36Cy|S
z{;WB(I0^g=p8~1lqP)xvsFphj4xouM6vC|py}jn%ELZD8$NB@s=TlfN5W&==I*waT
zFi&~}LkznePYH!`oly{5ff2nNY_U~pZG_DCfdXD9LtBZ9_T7wgI&CgVeqSgoa!j>6
zQT6RwjRp(ZclSHayABMRoJ|2ZCN_c{*>gUBh?|Sh1U@Uy-u5H($HRV{_is93FK*uY
z{8?UW&eyDt<B6|F<R0<x$jG(nUC)!o$#+;)zetakoOsv*_@2O3k2fG)pJ@eTb>|aT
z-8SMo;Prwf6Un7!Qz!^O#w}>gj)->m@#1<H<o(jNjCvR2|2vp>B*Odb6WK~1OGGS5
z5>))wmY#asdWw9#<suzl5gi&j$_b3yK}k_|B4<Qs%>i^PBGkc3S=Hb8R6L<6amW`;
z*5$*UXIq#;sa+qX=M@8ToDeSzzrC6x;#d8kxMkUPny#|7)zK7mCQ#Vg7}D5h4Sj68
zx{~@%qlsz=`&IRqYcuVNzdb(h)2C8Yd7TTk>(DpBeD}kgXSj`Om2!=KvhJtr6~t}t
z=MZZ$!WCq|RJCCJVXqdMe*2=%d@{u=i&DG8I-g@R5%OfY1e&82V##Nn7?pA@k=epm
zI<k4$nq)H99w-|%l1V1tA`A>eY+8-4Af`%2j&n$Rim;daeH>u6MMnn54>p>Liz_Tt
zH~TUzTM*1{^|v=TY6#bE0%>dNkF`dV5sw@*_IEcr%VGB**q_v%xE&a~uvrh=xlT4@
zFPkIEWk=EcCd_!Wp}b}VO2%1D_=E<hao%2Vpsy$04L|wS*z62LFTWD*#I^9x*mlb1
zc|G4V=aiBpi;Tqld7k37F^-mI4486~7#<e--Ro2*d%D7+xAmRJ)=6Yx$)dXX@3U6t
zV%|*8d~)Px4^!<ZT8DDGMmnR%Tr&Wfzx=quzq-vZjE~<RqyiDLWXf0bGHm0*X8$_T
z{Lcmjx!TgeZE>RVo8Cw+e`!DFMY)`sPW1${pl8)iD3<tQ3|oCR{y%)Z1yEhh?>`I_
zE$;3v#oZlRw73)~?(PnS0!2%4x8m+D#a)WK_u_DI=e>P?ZQ(ofpLgaAoVmw#lWdYr
zvY)LLX%P9p<*R$q)txC#LmIjZ!fHM})`TE{jcfi9eM|Qt<X=EQHo_w%m5)eLFOwFY
z_~$dRvyU0btr5#j>VF&aUwV@U2jUmhZ6C4kXja*yob{rVl9P%zQuMi?rzfp8v$4B$
zN*hU#_6!K?X=upVZJ&97)^PB&`pO0-ict!Q7*&D9&EMu5sj;8ic;l?|fgDAeK>4ug
zC)ozMIp(T4&wYVm-uKX*ailHW#;NWo)pkq>4xh`nVlPxPR$0%g__@4Cd6z7^UZL56
z{}`ai52rm_0Z<w4^(rJvbA9lAqtmCq)poyONSf!i&!gVg7e#CeA&I-_2!G4+J;axl
z*u-iaMu6lob{oaZl%D58EWd>9F;8_u<lroxR(jRF)_G=giO1)lA(gM~){g<rPQdPj
zBskXdlUiwHt}1<9b$)V!+1&VIRT@{@Irot8o~RqY*e}P0S3Hg@szyJv-mb9bEghs?
zBr*lI(5n`)2mdM}A<J7ikZZm_s2pAU0uP8HMkh%dC}a}SfRHl9_j>B7?b&gj$;xm-
z(o0NoR|*MMlm2lqOPeo%O^3{6Go;?@FxTclz*|v*A^|j%06L6*r~isB6W{5{NFT+e
zv*DiBXq>yXF-ZCA0-IRd*o0lPo56<BK+Ut+AN8y6@yuT=0H@>SZ6r-5a0MRI+~&fG
za5_gh`_Sz)SF@8Ww&P2>tiR<cG!Q+Q;8*n$OGbP)IHCJy&L93q*3Mxykk!Yy5CARe
zyB*co1UzAKrFS={H$lR8&y~jD5}D)Ve%M{tVx91Bj}yM}Os8NE!m6MDfFTacPX_H5
z`o3L8>u30C{?7tm0n#mE@&t60Iv*d|FS8Bu?pvjRgm_aD!wmCROeC62XDmp?*lf@;
zNXD9nZ{YTg>vLD>{25L8Vmo7CT7V?}=Z3dj4%(c3Z)vjbh};6Zf<K3(7RJ1~f;P@$
zYKd|A7AI`bhpuJHM;^r)?@BhLo5LoPz@f)|$;ej4bLeQXd4O*X0x)NDrs;!sb4wLr
zZAz_DS}!o9L^&S^SOvG3N7-5J&sd{iwt6^^Mc*6N25YEk^9({En+JfB-mB--gd*_u
zVy9PE39XfIFlu_5XZkY%g<UH<Y*nMIF<j2Q`?0%SvG_bY4phof4wJpwy;E64`}2*X
ziY88c7q^2cZEnIi4LhvXa%ty1pGRvgug2CkmVkyz>ATp6azvitLZtdIo+O@9{WSFI
zrTKI};xy>eJg)YB+}%^>%ziDjL(sPJTr%WF=dW_I+hU-?CKbo~wu^ott?8i2ox+Q1
zXC<p$!UoV{^B7*~-wvX@Wq#ncW?mU>sbn^ZWdh~E*u0Z(MXO;_vA&xCm=Q6t9wSBh
zEF%bmHCg|wfG8==tS}AD9{EhDT&wUmW=7Kqd;QobjY{-2`43dqe@Ru)bnY6Z!;q6d
zhS&5h@5w=rPYqynt`9H_t6K6bUZKJhk{ve?^Rv>YMXSwRpNV|$^^35Vzd_K&8lH|3
z;N4ua{ay#4w^tSCzTa2*R`aHWb&6*(F=0zB$=v*~dXRt7bN|H3c$dpqQV14v#eBPn
zLuo44QHoR>XH0m-fg7}s7qxrlcf*!ZmvqB(tK%tSC(i^P=bJ&k3(r}As_7OYr~ANS
zoqNReJd%6P@m!_h`Mi2eZVJ-j;@}E)otmeL=V-ZdIlGJ1ccjyFIdKSQ>54AxV4gZF
zBVY2!i;oL$4Oeh99S@fH_GN_%T;ut+<yJJKyyORHO;4QSx2Hxmk4TTF6RJlOFqMv>
zXL$s7qzJ!NS{^oCoIiRR7O19_ImLbnELLaC{DMxc?B=Eu&35YWb*Q&L>2a7PnZ!0y
zu6?xX!_<Ome2eqWls<d|+s*X8HF9zaYrec`5^hSN>r4{s!TU&|q0y4c6khUu0x9{X
z@B^r2!+~opGXs@K%=m%u0M|j?jW=0+F9$D%9Aqq*3Ohiq^d$m|FsdDyB8p42;I1QC
zzWZO_{5L$yC>{hTOQ8DXudY1L>VrY>At@c_h6Ge%^0lirw)zVQfSHXrbo64#Qt$RX
zwCG@jSQ#iM4x<E`YgP^?lpx1=w;fzjnhtuk^l_?UJ7uf_f2~UI=Mn1nP(?f`c4A9N
z%_jUZZ7)wP9V{(h+H;uMY5rxkcRJnGICEUAV5%wqka8LTgRC5-8$c5x@FYG}Di<K+
zk<#S6Pe<1R$0Xm%vmLR*RytOgR?S~7m|Eq&4WC_1QnkaybknkTR`t*_&DVB@eNNv>
zc|8Amuj*Zu1HhVpA^N5741o1VBPgFy{j`~L+XTle<z1xpk^mU~XMukF<c|C_)lDO6
zUyC_@Vf#z=*ULv~Iet8zkX%TUjCOs}?1S|rk(xWnn08eYaL89^rk98d`;KUI(*utd
znHwIZkoFfHf;Sq34xxms7*JsMx)je#S6A|je$ziY4>GNpiR55p2%UcVQ5AxibQ)R4
zqgzlu?}PRX@Q-g&>D#7FMZ0be-rw;O!y1{Se>d!l8sH0MH6E1i7d|fr{JarvH#?91
zu@06{9!}{?6&p{l9zS?}^WOY1RRp&48|8J>s(l>8=c^BDL<wKeK8yyd41QoI@NAY1
zIzIW@jYw)z+lMu9P)dH6=p2?xJ6d;TlaM>8>1aa15De`)^Zwfi+ME9n!2Uz-@ehLm
zzW{Rr4%bGi{8bB}tNsR&U_`F|1hH{d33E|<Re|jP@b&(~leAMq5vKX>=l8mfF>H9`
zO7B;0v5xXRD~SN9ehGG$+t@6E0b-JKV8T824<%l`ajYVr`}=p*3Hic{RAToNjsrpB
zY)Fv&?H7D>4kN!}h+-5fKQ#Y*_mXFfBoH<bC^kvwqrV_V16)d9D4q^?(Y0ZsxHRg`
zM}4mOzW7$icCv@yWi!W@&tv!#pfVdF!hVotIu`Ny>2!&zC^|jgSHo-(TW%J~WPv?d
zo5MUR1+0N9X4ogxh?Gjllz0^ia@r<@)k;<V`bnV_5PRSS(();IFB{-Tw&o8;<Yun)
z_qPAssfIP!ov=H2K`0B50^LGE(F$sErE@rQSwR%+I(~3JGpq^`0eH(UWWAJJP%ihu
zd{7fwW%_@rM>SBmyG#uM-S_bNVaxe^hQt{$s6|Tu)4zX3Y{IDA)Ufw4Oy@|)N^RD6
z)PvrZQ~z@-BL>7fuqMTR%l4OAB-Ie|^`!0GXyY3}-ioj#+`DUn&9c4c+PFW!PJjNb
zF_4`ow2c?L7FKhk7QK5GmDhYAK8*`CdeR+;soec3oBQ)GQ~*NIr@|B)RLJz&V_*9q
zAplA7`N`*dGjT}$jxUamPoW;)W#q$TLRd0LcI+v>xS@d*6k%|0$E3CCngaeOfqyKO
z9gtKp@#usx@XaMTziV&ZkI@famZDNG?bIJIyWjsn*pRR9;{+9ug`s9NV%L=ypSueh
zvzeqFp*N8GC(qvn)l4A3&KaeinT21Gx4`Rnxf7JR`~$@TwWEVas$=^y`{N~`r3=CZ
ztU1-!%x2zV85aw>IgOM142qyAl>RqB0H~R350pafuv@#}H0_}(@-N8X-x(#m+i9Dv
z^%AQU^avHK--$!sSl{UPcKFp^$L@F6jVEl`SkJu|28w1vdcNoO25kf;gEh+cW)2`r
zGRHmi^@`DPFyoMag~u}~b|k%eIe+huPj@2PaVL79S{nRP5HP4Amx%oM+X=Aq!S^&?
zc3u%O6&7Riu8kmQyI3RRfoC@0*E7LDNSgTIn}xr|gaAKJ_>Oa<gdS5_Sy{hl6%J_+
zH70O7?VubkH!D0w67Y~2rGN~;&&2wbT)yL`47CysN@Ku~3BWsl*KvR5@O-X6e`nWJ
zQrY3%yR5F0rLk|9|8chim&A|hs;zAeAQm@0Ty6h*jNXjv!ixX)W575$ME(+yrVO@0
z0BpT}-6KKq1GQ$~OAZNRL0~5+km%*89<OQ^i#WdQ`POH!5c-qUSE3_3zE8oR6n|c2
zhPSl!LR~g!Yv8Tv`<Cgh(Xl=sxmB+_@<SN`QQMYV1Rci<%o?kC2akh^;OhxfYdW1K
z_6YNHyqmiOf&6qo`E>q)^l$P*b24#s64z|IDfX)qiClUyT_GoSO=qK7dGG!&5Cr0)
z@DJ4SSx=}wS?zx;?ZE-BhsiYH7bQ%7sU$*$fl|VWg6U4gcm1OnzBo>S|I-U>a1@oQ
zM}FHxVNgP**HI3%dvk$v@vj;I8%$SJ5mHi8A|0MZw|b6Gpg9e}-O`?-trPDR4Hw*D
z6d|AF+W}8nQkyqv-1eeHqGDoiP-o>sLyM@lh>sYwedSxJY@JeC>m$C3CB5aAygj-j
zE)dHXoT|POzD+;NBizf**)yc31*O~u7Cgx<txk?!fj-g(+OvCpkY{ts@|0(QchUTJ
z`T)ZpJ`{|xRx@D{BB@jT-YP;sl_!#59>O`h^JQN!(0<F}>n|J@LH|R5|As?HQtoU3
z?_zsyS|tXb7)$C~^##elBJleQ8-BtA-_qORA>km?eZE$3xwEOcRk|NeW1H^~)+<Kf
zaU_DN^r*m*_Ne2-;<TC^m(J1*6t~v5=A})98TQ8-9t(<-ZUIaMF0B@7;11_w#P5`q
z3q=CVigBaLjlgYR%L%m|fLuUpa^mt2f>AP`%;pGjKji`;oVpNamG)=s4=@WTBqSxJ
z`F7ZOPdmX8y#}u7*f>Fza*LeV<I%FMInvet^%a8=vZZYiu*%IoTv`c2<{WAFiTh`9
zK;tj-gd`I(vy%<m;>$}Sm|}u62@Y#c>nIunmavEk-LR8Du0stxFGAeQd3~k^iQV25
zEhv(O=sEm0e|R`XrPu{WV!GTmMttq9>Gt6C#vAA=M10Oni)m5wkz{8wbZl$|%A^i7
z0t_Sc&vn!XnS^{UijtDhF_!PD@(F#-u?Yx__Lr+DBVCSHx~xOil3+X#fktezhx1*|
z;dW+b9A#ngk0KiWi2H_IihGX_u><S1YY_z?VAZLwZ~`Q4iI6(f3h5hNAhe(Dfq?;x
zc4zvVxXYXfd`_j!-UzqhB-TfC>PUF=zPm?IeLsoCbP;77t+M1)PDXdPPL1`V3vaaj
zC(xEDa^T?LAgmt=OnT_h;piNx+^C2YPUYo(ER{Ad+yyjjDc_MasVvoEC0SXqg$jFg
zLSDC!?b2rDuYL&7idB}gHlb0gblmYYnxE*P)r?XMHPqd;kIX!H$9l8|jY@`CM@#2N
zLD}eq8h5tFIr#TCr<etr)p=HWP|XoPXyaMtQmPVI`oE4F`DeGI8t&N+4SsaW`R$en
zM~i^XPL_;8teOC*HVYh$y!R*m#{j?P0vTYsrL&xwmqy;M7j_MZovwo!<V0!(^tlIk
zf55SOkN;8uH=w|F;E#Y{0(MqBk7JLBL3w20(Ix;u-B($OU+4&ktTTs`JrZeJ&ugaf
zIb$6t*KJjU6{b!MJiSog+)29<%5g5nl1{5F6n?n9%ALqb{|-tQNly@0{~B+-((rBr
zA#R9*u_ERvWV{8f0x2f|{eVLX=6@fPnks4=>7F2X<G@NN9m%nw!c)T%;jzbv$9c|K
zq*6#0qkcd)kSb{Wc@rWjPX-{b<T9&+JPt$LA}1A<H)$9Zm3`xw@5$*v(8Inf4gc$r
z3NkZBmiHFem$4JULOfoT>qww9z4J>OdSa8D*rZbqo!4!Rq}F;dh%SgdlM2ydl9p;y
z_SPJ)^>#4q{Gb3E6mpe(>sEoCK}^Xj_;3IZgn)EF3egaHV2{)Fe$dgXJYbR{p5C2V
zWXu6!;);X7Q{qownZp#!X0AJVJ@M{Mn=(guoeSP>O;)nI|GaW(UMD}w!A|#$Z{<);
zsG6E$_c(q)-aWkPd#`osp&ePkxa=e4i+6DlV-OY-zJ>B%=?M)4HW7IFzE`{m)Ki__
z36^H7`Tv^na6dG^*JlR>)-N?04aAKYn8LAx7fzxOCf!TR)Y0SDVNR9nr!iUTiT%24
zB9OPHNP*4dO=h&`)q4#MIgpF#h|*T16Kvx2wp~!A+C&bBG?}HNd}*ZoMd^|#^JlKi
zmxFRpz!H@_NGYGuyTA~zf}vZ_Nyy_6>q2#;A0_-nwry9`-ae&Jw^bVWTBTGC{WV;X
zu)jYzk)3*hVtO`S9qO@gKe>Ow*)c#b5Bcd>r!E&Jtw=eJjNGDHJ?-#dyElW#^IT-1
z-c|_RQt~VjMRF+X=Yz|v+ll#f9la+@5#3cdj_-1leod(j+v{Rf(cRs?LJMi*AKNwi
z?1Vx-qDFFaWuVMGMc@$#{Q`!=V!<CzQcBTcL8Q`l;#(XDp%9zs*aJ!EmxB5S_g9pZ
z$GI^FwXhn&(<PGr;LEh%-&NpXt2ClX^wpp$NSqiM{fvsCn*54ihK_*mNL*{7YDzFU
zFEa_+m2E{SnfC!&i}x4=H(k^x_fD~$F@lydm(CNGP9aJFNMNl|p9r+<OAm9is<j-?
z&uCG&AnV!%_JN|9LK#sH-_r3P5XSB(V|B4tLiVb;@{AVRnc~`T?qY`LsfpXA;^qY@
z!ILy6eixr(z(AHn1$Zg>oYJZh*iEqfGu|L8E#5(RpnYr+3OL^@cpk@V2B1L6<EH4Q
z-KaHi!rwLe3i!EK{O+aFUK1txC@LZ$DL!7Sex7{@=Skx-0<q90ATkWTYqH)+34+}~
zc%yTVjqb(^I}f94hZ4HqKVev7Jqu2?rxAr|I+`k0y5N-CLtoG4zin~rvZQhQ*vz!M
zV9A(|PA#J(t)U!h$iy#A5>G*Wl<!>_e2Ai>^dn_5U#Et88-?;vfZ-vNfVAG{#+#JG
zW+q8gRMc!~mKan%sy9jhgewR4#k0`#*#Ep|HfCo{WG(=ZGJkwMPW>}WY}YCIEMGnY
zElMOO!#mU`h4(k$HQ}xOMuO9<j+ps$leH*>R?SDOW&67~XbbRe_cs6ti(!fkN*VNB
z&_42+z*S$lRi86l&^{nxaPLJ*TKV7T-q#0G;@{mou^_2W`~(%5y8iTOvQqTDy#T=d
zPNjwsl0Z=&^NGSWBhPQ%`(BQ|VvgMK*v#-qup0PAIn;W!Vr><GPbEwPhcoGkNO3Rb
zr>F!6N{0*kDT={EirPXO2Jp=_T&*;}k*V^ycxr9L-<9Vb_*UZJdJFB;%(p!<Y<qNh
z=_1sguiwttybhj9c{X2nhGNqQ+Uf1)R>p1jbN+;kXjbi8d6Z)*^9_L=9YZltFgb&1
zef%9o%e>9`(LB`IuQ%Pzw(TLr8GN`xB}?Hz)AWe?)dvJzT-@=m`k<?5;FFq(Lbh*+
z?j~(dZi|@)SK)D3ok(txc7oD8k@SyOynEY>O^~idAt;0)Rzx!g`!wRl9?HaAybv2^
z?S&jz4s_Qng6=>U{~T-RkUQZ0)bU>eD8SK3{_pT#KtH*M?RK;|ES)Wr2)MG~wL6xG
z`k>rnILmqz0|xi?{|;eC(o9iYOgC}yK*NKb_im3jQPB%+#J@)L%sPDv6Mq$A3wEA>
zTT6(uBDQ*7ahl2UEyo1s+%ivxihuj2MM}<wA8_~G;OtkaMx_I$htqKozHNhKAj52!
zR5Hruv{Xt_0+C!gQE!nx=FXatAL_bUE2!#Te>s$=2_BIH3me~%f1|s%n}nYM5(?^b
zNI0y7ni}WE=H^hZ5uS?M1h7dL8RU1=mPp#z5T$$UY1UXyqB*ubA}QQ&ny31%@Z|CH
z^CKV&p3w8(pLqA9j!A-W{K#5p(aL%K&E~71>a0}ll|x{|<r8n;Xw@)7kf-v84j-TZ
z$I;1G0>2I3Djf^(Vqx+_aZA-$T;P%LDRY~wm)MJmdpX6Oqtj;RL&Al*zy~1{2ic?N
zZG<tkW9D%sRv3N$+_UkX7GuaaF$(+f0y&(3XXzXjlkl^v(ARO3PYxr4m{c_yR#qWy
zvZ2EI`lz>;$9~g4Gpbah6nt+tZBekWOcwS&a1;hpQ2l1si5f&1z@ZO^9?%fEyd$>U
z2L3_j;bZ&l?%fYa9;jz_qO6rSE{q%K{Qc!On=`1_8g2k*lWUODet(a(8n|%OW5I0k
z=o6JnP@!2Z>Xg+|0~EF6q-<ijy=nM2MU}{kkG)-yA@A6sU<yNWrw$ZS-Kbowbj&-=
z-e_D4P|2nEqvqsqC`1V|W@q2@j|@pT)gWG}KF0neg<z#hWr}3=uI<FZq&3GW+oo4r
zTXtRTLgZTZk2cK5%TgL@pdrtuMIn_n)-H1yx=QQf!rdE@jtMm&x|!5F85Vkaqu&^6
zzl@l$2Fi>^qe&=R+(w0k^&kNa&U>)+HnM_!qlll}nnFCZ3`gt3D2>!griL9nYd&aY
zTZtl2*Jf>2f1=G9e!rQV3fj+XB}^I>{cyz<AprW4YlE1t4Fj&7(_qSoEuJzA@OG|}
z05bGiS}cxd&q>t4fIe8j-5M1;_|d!R^_3UT;5QyjT-2E))5xyDZFq5hjBx67A6!G~
zdkub?v|vEGC#p=sBgqY^B&>=cC=0Me3L?0F9<}1*Mb>Sv7NwN;l^WwO3*)f3xBp1r
zu?WWvC47V}v?6F08TFSTpv#$MkoPxD<)=&h%TvX>ud<uaO!%Jpc!CKrKs(T|518yJ
zmKR*PGlK)Ia19;NuIoSPs&rg@C!5Ycv8fVHO`Kokv4m?VzEce*7JS~9tcw5D$Bo?O
zSm=}M${hi=jvIJyq!4imr!}XG3PR3X2`c}ey7k+i(EDmrx1<vpr34V)a%`UNGXqQ5
zfYp399Qu`=Vq*4-ghJTIT>508_91TJ6L>8Ry7*d5Tu<Hr-|I>8D1%|#uCIEEpJ03+
z=(|HczU|@Al9CV^<3HnvMk4qaD5CJVY40Uq$-&sZ;eoKT+7*%~j<)?MyihT5({QPA
z0alB=`5;{s*niKC`y<X~n~77cM}F}8_(>H6EhZjiZJ4vZ8Qx$R6^w!<Ai21_+w<7h
ztOfOOu@+hisibe^A^2oY=rMv;nQA>U<AFGmP=@V+S6pWFVy&n86}29S^2zCbn>8x?
z_EQJ4A1te_{;5P^2;H}SM1C!x1PaYFrMbN!oLjhDZV5dr#@7rBvtPv=G8AWr22Zet
zJ#*_m#V=G;WeXLR2<ZZ$+IZ68J4LYJObO3igFQN$@&>cZ(mYjc0ySC@94&g5G)*yR
zO!cfjUE<W)>V5ePkG-DdX)7^yl*a77cQaRKPA_<Uf^I0;dIKgwRskoq0Nj+cGWg6b
z6-6ZGWJD7xL%|+@W`0PW;p49$<USkN-n8Dk*sVOm>UI5yf4yu=gn|Elqcy*Qp(HWi
zUTt`CU!>UdJ@gsn!TdC6B}Td(mBGZP3%9dc)A2%OsY0mD8>#wcm&0B{*QHO@RO#fh
zc^kgR-Xv%D&`(~swu#J-2nS2v(iRdH)30fTML);k*$TLTqSUd3y?yl<S?_5#49F@#
zo7z@+Ee{M0b<OI%5lw^*KvTNKw-wy;9)R`iw$qOmW7uBkw_mm-cIT_p*UxIW&W1l3
zlo`VjnJFm;tQ8G0b$<0pvm0&1UXM%2=mISoiNMuCrzfb=R=-=K{ym5!sTB{AZ!O@L
zCBBXNtFLBHn7Vop-cB3IBSUHbvrIce3i@RKXUhKjdm;njQM{^s^onCwBXvwL6~Fz1
zrF`f!*DPc@Uh~~v?Fajd^^&qvpp>@(^}2f`H+O!>xvjM=M#skPoNyarGK|6(b(WB!
z_Ct~}2@#L+-$7K#8<EoU;k$+=q_Y@GrnDFI!=jEZ1-#FZ`Un_ZHgUsy2M>!;`JUeE
zc3z#^bOFO@e+IF5wxkE3H!PYEIdE+=F~bTR_yGc6Z=Gcx&S*xeU-lpmLc}*XFl(qX
zF0Rj(O2GJ@YdY(;$LqCkZ#J3treW)pPkf3EN=D79t9tAK3p70wb8(SRYBfW}Eo3e<
zR#G6~iI4p8>TZo1ThDCp><qrbWP~?KMh2J{^L|Fsm7pPXoTV1DCFk7dk`gQQnIYEt
zxI+!lP6NRk2ZuXLzz<$0z}beKYzeX=ynyU%125420n%16ApyaYc0ZzeNhDf031wu&
zr0tm5`xA8VES2laW?Qq!?&qsbnRI=&oyl*1D(VS6-4O0f<nZ+lYCW8$-&NWHmCUD!
zq#_AeOxPI~mfX)OwYwE2N0UP93Ja++n0|XA<3^C@-M>5>9Py>&pdz(?iSO$6J@k*@
zAU_+Yj(j*pu&v3Vz90V>4RS<OBr;|1x0Y!6%8J0xp4Dk4E^38AEE3_u<}h4N&)wJu
z@?kjG*uHH2G-jiI5-~9ex;h&(=?YlQ&WS8#c=GS>kwq;fAkS_snX<hB;ByuF=!`c5
zP#Zn@kgKCQB<Y^Lp>6<~53b9Yy=t>%Iz}m9>`-$H8n%lpk2@+zA5IpEGxXQiM#;F}
z2`gF1YWfb8##9(@>Q=I$5PP2|0S9x|tI~aL-M>@xzQd`o+vMmA{W#U7_`!<803E$M
zs0-Lg=xG)1wi_Kv${HLVj&Q#o-JU78j|2RK5#;Z^V0f`t>$a1%nrv?#Qhk3f%73!&
zIbLT?_cO|>^Q%8VfA*-A48sE)RAtze%Hs$;EzU4ph!vSzI4uA{@~;Y3vd}pVqOQxb
zVlm$8c3Lh+fYumyx@rFeQc!l22$tc9`0t^@?X0xo``BN#x@{aYZH5B_fG4&@KX^<P
z*mb|HJnhgU>`dZTw?85%+#g24Vy!E@wf|Bg7H9?kb&hpV4(dB{t(f>0IxZ>|D5^}G
zo^D`ZaB|nDCuS$i66z>px7HyNP9*RX)`#;;a9-dwmXd3wo6sJG_D2x5Mk1a54?nXH
zPQWN&2A3XdiOwo~9+}>6u4h)lrj8<e1TXU9nl~Ouji@?LX($^AJ-e>sD3GZTnWr*o
zK|6t*&#d=@Z29b`dzCht#%7x&_1Qkrym74b;Pq^yVbtNP?AKUs(tmwlVTh4Pzt_Af
z2dvh66sQUOK^K<V@SvR-gg`4gP;9xAOZ+6S>TMPyj<J1nn$diU`>lvQP6P>fy&$XG
z?jb#0N_y4VgjjDbx7Szi!4vM!4IJm1)fM<JrqCPCMi;lZG2fu&NZg-6u(u?He)Mr3
zW0DoPNX#)m{a!tueZeLv4oR`zZrg5gny=@A$Z5UeKVL1#(ML%c$*h5ko21d|P&qI;
zu9+MfO0fB%(Th|Pf!H9BH`utvw)Lipww@^rd$g|EcyZCT9q!@w@<;2HK%kJ&CCvL7
zr`XCRtHCbq%Z`ZIv|wz#>wKQkfq^%cTn<}ysHd`BCFO!5R>emq_dp;}670JpC>5Sm
zn8HL9%l`SDTe;rjDI<_GHi&E0?X3eE^YLO*o-B{`Y6}5V>pfkbY`WR$xrNWs1|qk;
zQ7I22=8rhJ+^Reflvv;GbeL@XB}iEYy0hv1xCW}f(}jDySW^BqRu}DO>b5yjFMiH3
zXOv5*z_u9DFhdon=`L^-4Vp>_qoY;`?d<<-4Nd_&`t>35gUkL;)tDM!4+|F@jmx_~
z+!_h+QwG~AbG0E-1~9zj_I;Y)3QRGLYmwW*F#@;H3yY2E@Biv<^NTNNZm8SYeI_T^
z<Z>8l2E@x5c<txpIT@k8eu|4N)_Oug(VcQyro$H&oS4AkdC4_LNt(lM6dyGDPTnTs
z2yMl3sevtgHcbgAj*f#9qD>hKT04?fX>zDFscv9E#@MjtW%NB?<^~-Wi%HP?_MD}T
zLw5S=Ot2$CZ=}-)sD+M=9ub+wYtR`8)M)rfibUMj-C!3Iighgbtv3?)3w4Iqf*Z*m
ztu+T|z2WPqhZ}owaq&!@#X2elv1oyd^J=Q_q=5?ENTbM09t-o`w>4&2>GpnltG>w4
za5*4s{7mVV<L}>VdIN!*-!lx(59TrbH>?X3j??qXMyusgFo2=wOu(Y^+HfH3Yxvg_
z<r#+Z<Uz=oGYaMmtmgYTIp#6nKAAq=aKSw}x49`T_?@34tYbl3d}6mar$KNH5}K6H
zCL;&dOZoVJ>Vzn`rsY%<K;ltKbW^|WN#n{Sd3ueW{f6!xKjd3HE*pkA+b2nWwvj&2
z`a-*NjbzvWtt?g1PpFR?Q3_h>txx>a>5(pn^8rI3=#Ld&jMwOJU;SoLDge95Nd52I
z>q;#wmf`n+z;tW|h~U5e*oqiQW<$f)caLu8`<9E%Fp^{a(da)@(BIONgUW1x&D9gO
zC=$_|^~Acwp<1U|IK|O*V2M9DdcSGq>RE<H_<%iRd}-V_;p*<aJQ>VlZ2i5>JjZ!k
zKa5I%)7{~NQud|O{u~nnqo{~TH2=pz;V2uz=vW-v+Y02maPYPlUt=S)Ytm1ns~Z~~
z5HXW3aI1x*%`w}bD}AF#8XZ(qMAtYoHZ;VQ?(pdoK~`&##b)yH!U{(_=Uo}+yY9(I
z55dq7*ekQnnOg1A?;At{GbcvVl(U>#3Ieaq@iC3(zpK}6qfw^p&#74*YZVzMA8?fG
zDgd^Ag?yzMbn~lnreCPYexp75=Jynw9TQyOiczl-d_5W!HUTAApX{s3j{+a+0$AnN
zc_`>z+@F=@3Qe*!(l>*!>>Kg}l~L_m+|rL9Vi56ZM?kB)J+=F6tl<HbGCJBDZKZSa
z@6t5OC@+@|RxVYf7_s>0_*E_A|5@5=CU5|gRYDllQyRUg<g)^$_;|$0Lj=Z76%Kt|
z2~9Xhhk10yK?Qv&@qCM}lrS-W(MeaR_yO3ownESMPbeuhX%E$hueQLgY9=?sb8OrR
ztpPhS5-YhTdObo~3TGViEE>&`w~@u%^i7o));iXv`w5{s!O1QBW07+E=0Dw4haF>8
zd}>{+y)n1M#UWMsOll4KN)H*N2wi*HO1%}Vv$F|wBc_7hxMDtWUngf*-S9;cWRo`^
zF9fFrN0L+VE~r%U)6Yzb^69=Y{Ov0GQ&B4dl;6)U`&H4J$u~Bh3Y-ycIB3jtq_{3o
zZ;p^}&;4^m@chBV{5T+tTtuGxxFXiEa&57My8BQKeb@+1c)cLd(yK#y`HxcLsc;RU
zLPeV&dl)eH8|vym#TD%r3HOpRI$-t}$SH`Tr>IYqjkpqqdHCD8XIqAT=rh^(7_2r<
zudDOvVKLKD*sQpz8+J~gQFDGUOFA4{D9~u9Ytt$(Vx4W9ZX@z6+F!`u2i<v+_}i`Z
z^7kut`x%*V1;YSm^G{daM}P@{-7JPW2tM0T#W((VG{!~N$0MH~`MGR=jaL5F$baHH
zJpK!?l6XZnH)eaT<(!+&hmDMfdp~<?$CMAbY95p?#vFbt+X77gUZn$eHKE$%ds@1?
zjYI_&O00i^GnFQ6tk>pT-xL4*QP2cSAyeex#BKS&op^XZKJe8`Z~bo&iWj}$@Yt(Q
z=j%dU(b>t|*Jpn{ITj2`SS~ap?cZ0P2k5`n|2>%s6t;fSM9&rC$QtDR*M>(?KL`?E
z&9|cg&#$!*_p5KS2>cTFkJT?vS|Y)YE!>vB*$Mx9iLN;4B}`ffNS~iy^74`YpK}Wt
zKZwi)G(+!ab43DvOs@DD`Gl^j)%KnM^)DCx_TzUK{Y)Y9A2!>9pe-~;&PbAEo&``&
zp@SA|Lsf2)2}<g(;smubLZm~X{4N~%WYF<!3-8`&+adxy-TVJZt*Os``NUToHJc4k
zc6iVha|$u4n*xzkVq=ki1gHc5cZ9;n3%D6E#q(eI>Hj!o#tPx%v21GNrkb9TfA<kQ
zu9#!qqQdZH$NrxC_foFy>WXYeW)gXVUhWb2R{0Mx*Y19YA+Kh?vi)KI?}=L!B>(F8
zY3lxjuz(4teECspEFq8U0gC|G^k(NzjQ<CL*xAAF0(5Wf=Swxq^F*9Wi|C6rvE{Ue
z`hr)#AI$OmdE%NBJRhtd*|eATg{-qtk1su;YRuoK@fr7x+<X7n{eK9T-xz9v(vFg`
zzhNkNKFt*m3IX$TD^%n_EG?R^2z((79l>xXSQ*GnM8WdUy!t0UWspVp>H?}*4RvKE
zPfm;KhRG8Du2GElgS=Z3-8FVrR~M=0hetw%l|NXkO`8g<LXB8RaBKdh?Th)Y84{!$
zdL~Z^E8w52yGA06EbK-7%z5EzvbB7!w&5DOu~G;5YAq}I_!sT|8<z6Q@EeNqOjyPn
z8G66k8g~~RmP7~tVb5)`j45({5yyf5FZ-k*X~0f%dbU)aWqxf6w5*yrUTExaihc<1
zxnuvtbL|*%?{cU;s1zj4tGJFn|88jm4Gxl39lpra=O*n5cVs-7Ckl;~BFT(U{k!$~
zWX<&XZDU^@o`<@RIA~~Om&`}a#47&|#QizMI?gcD0ZT!WGi$BMNK2j*<g-@V9zT!R
z&%c{z{Qhn-3%DavJo?dFfF7IVI;Qfh^T!uzDuePPBO_r>xtFRkPoHyo<UYw2uPRX^
zc0)37#aoY{`s(La{~ua(0DcdgSdP2<cMi{tq)_zt1JLu2HDV^u-0A-dvR7N1`z;q<
zY5pYnPqO?l?-Ly>Qte))`o7Ck=@Ay6qJVTFOnjzthbdfQm`vXez23CSsC`=gCU1YM
ze4Nw~RGCSO>ne8NK`T2C>z_`axI_Gi#NBzrtxI`*Z}GA%cJCk_?{{iXm*@Z?>LdzD
z`CGlOL8PrE{U~TM?KMXuS%4_FT3Eb6++6pWvWJG2(LUAb)hiS<f=_G0eeEI+r2xL_
zv*l>I<Cad*Kxi0pZkqmG!gBpKgu~lA#y8J=?68F6X42bp!OSVOI6){0nr?|lg?ToT
z2fqo$(QsmZSpfT21VLTB_Xo}ArVm|`uEyGaH?jYXknXL=lafQApiGB{FPuu26bEtL
z&!0+MW6Xkl`baI|ewY_VzkYoj2y#xWb-`>~tcIs&V`JteMcw3c?dg6DVE!(}6!-<D
zXNHNbBh7>QBQ9|ahxF~{tLxKm#mvsv(vSt*<;i2Ft;m7U|IDX!rXVc0@6hZawKt;n
zbcL3;Y%u3DA2LZ{$6qOmDdx)klQ6Us2#9oJ!E{G_j|Rk*;@yr`YypRny4-1QN^>)W
znq!JJ4Q%|^(vj?4OJ;F)B27aulY&>e6XWuGixRW)Pw%$4`IxYKBqS6oqcjbH5a<k@
zQ3WB=fuY!FRL9hr#B!L?IJ4$eW&WyOoTcMNlPdyl=K-!Kx2HYAqG)CN6xkV<X%#$&
zG(_n_Fvz|SxIO|tbUv4x@X<?T>13JEKJatOmRW93KYpq9^8*bh4SnoUs~jBIsZ!3C
zis9e*dO*ySQZ?I-jzpGJ@p_o;^M$>8_YM_{C@6k{Wt70?MbC-gc4~vqczblqVztZd
z^p$i!UJ}d}HEH|kZ?1H1_Z!!L!aWu^?_u#|l8X%gGoroHf6wO5&eonsIOvUZC>3Kz
zbVghQ`T<crVlc+_m#H9aEGO!hMhD&sEP8_4i%`c5#bIbV9_@ogO4Y=8)mRPeB`1Hh
ze=UZTN8GnytzBs{i{w>pNN;kqi1?k*1%Z!~C_qWc-u`N3XR%D+*7-1Ubbxk+n=<k(
ztj7DO8w9QOD4(Dask(bH%l*>jT6FdHQvx+2K|fQbM!XnkWU>8tU`RxWu$BuJ(L25%
zSAcJrkQW>J9c$Dku-H~y=|fnR4{Ylr+?*<_B@U6bh9%Q#xn39>af6t+*1%V8>&Qse
zo$abolXix&F6G=RR`W8V_D*v9$;{~M*-}?L)XXlL-=XL~)XXG;n+r>MM^((g%yE-a
zg~n|1PhnrPfWP*;ceCf=c$P0SPRR3l3J_Rp#U~=ruIR=>bQtf;G4@FFq#rvwyHH7x
zqYZPiQHcq4II%GkxEJD#?fYb4HP(YYKF>34L`Gq~>1dB<=xj<$@hi}fJzge`iV{Ho
zGEqr`#Uu=)VDzyM$j;CGWT~1!!k!1U@-%>u%4dKfL84og=Yr#6eQ{O~I3YdbnI1E1
z?xx6@t=@J?Azd*ddN|QReIn?lo?Qw(lZ>d$8`h!@QO9}MchTglF;DW-UUkP5(5nAY
z?&E>`Y1^^9Q`pmn#<suJgFJIJnwn7mYRaVfyHShN;sY$(L9X=U<P%|7F$cx2BYTP|
zD;<Gl5>;Wo<<$)G>X+awS)X`9mFvF&0t&@d$b;Iqga>LZ-`}H8%LMI>!=?PA-&el`
z6uZ}cZjGCi`#<!be-?g)&K=Qgg2-Pr$!eRY>TVO~xFwlk!peaMu71pHPA&ft800)x
zVaX@B&;q_nyud_i_Ri>iw`U-KDi$V+iPJ$4i%yf_$ND3jrBawqG0|a-((%j*=+Vd`
z%8#?PDi{#e2@ih7tG@8Tkp!LRg0F!6jaT|1B|63NZ&0ze9&P1A-@QB0Muiu+*oC=X
z?6lqLZB|89StNwVkM?^gF@6hM4`{!}xbnKgtnh>%Zxwp<zI1Q6FByQ1cAoa&ER;&B
zSNDkmbe~0GKAG)sk*~zWl+8?E$tDK+HCqhM&oPQ-!E~dK-;h1-Emk@jXMN!qwthgd
z^ErmvYgAK8;4J)A?i0>e!tmAcHagWxP_9^^pyuD)ZB4$zT~7H)Xjg}!>7dE=s7I=e
z+k~liAnT9c<X4Vv*N(rxU%h_)EW;qfN$r0M7`HjQiak6XUMOWm-plaA{E~`7`XhB)
zXbrS?kUwQ}9mIrvgKVd;4wn;#OBl-9?nN<hXRi9IvQl7D3fIPE)RU#?;1a(ZMH!zZ
zUC{Z?7ZOxd4bKZ9C9M)fa7@R7*^HKK(H0Vj=nUU;BuUqUPqVg9Lb5o_8r`HK{n+L5
z+E+&+HZDj`531LwSa?CPGo{gK8Byw-)*Wf&eTJPKq_w-r&iMX*p)Tjumz}bxPhQtp
zK0=40;cd4jUX315W!~E$lxM`A+)e7_XtU){8wOsrE|lX%98`$7Hm9oh=mq*&sc-jp
zO&i2d$+x}jj!xcR@4GryDnj~8f*H{}EHXpVdEv%~oKy)4Fz((KB{0R*FbM`)Bszar
z{WE~gMj`1wj7>p*-u&790FgT=6Hf<kF-gAv?VralJc;^SWK}1fWIEEHDV)gym)fgS
z-Ah1qcj^wIMp1RVgL?lfjSD#V&7He_>|=}jh;`z)E!YOdu)32Qq@W%*ag^6NG-JcD
zt65B9h_*Nb=!y5kAKD<FxSsI&+xKAj9aj|W9_9gLvMu0+I^J``Q|yoozL?ki7ZaWh
z$JJMMR}Hic`}bkvx}9RVrly-=xvT3j+cLnTBkPVIt-|lyHkq0z#|vSggCs~=8(@{8
zktI|#5>u#?@{%w;YavVeZH}Y6uD1`8uJ>;eHZH>$MH*lmpwIUrWN*A4eMZ%}J$GQc
z-!=%!^^k$xdH`IOrW*Oab??XI6$$3h5ll|;<RUIm)%1>v!Hn3eUdWN^?WOsJ`hI}Y
zx|jeT8@v#Sem2BK6l)HZKbrAWl?=e2eRDt3j%%vFo*!toZz3UloP4u>SVfnoD&bPC
z1<Xq<!TiFo+5}bK4rGld0O|jHy<nN%w9kQwIQ68MUr->?<O?+FzZsB`O%!{>oN-z2
zNb{fFNHshhs#k3Gqb@lDbIq2sp#;DiQLS2DosCI~cVsQjwx!c<WL(*g1y%#c&*_bq
z$tuKKZu!sGo3A~FJRrNNH_E`fn6EpB#tT)mfnYT{-5)Joj=NJ!Q)GAQ)!QEMvd9>c
z*v$&;aST?uBDlyeRg(NPjWNPH;63XMqydZJ*ZG+hD5cqk%oRE?Ee#$#?<iumHPPO$
z+?L3G_}PkWATgzW$jb{QTxwuAA+h(%41~}cM7?&}A<H+Zs>URD5l6FD#PqF3?5|s@
zhz^0tXl?QHyHXmRwTh<V03_S9q3@uFV}?vrXM~6Ory+zP5G90(?>KxcPITp9;yepe
z$sGZRt<c`DG?2*_kq`Qy%J1Q$PYc|CA-b*|=#$H~-;Qe%V_CM6z@cK0K%fK$k!!Tv
znN@8!trqKe@_UR#>@4OH+B}>ZPJ&9i^rGxMAe8tc(n~5fJ>eFehJtN3f1z%kbmS)B
z1IGX|Ser{+dYoB{kM0u)_tK*Lwdhg8O}(7vb_FuV%g2M#eFt$v_G9W98v&+|q1cRV
z5L~i+vn@<k#C3@E5po^&pAg`YVLXtS_1ka502yw;%j&Ze(&2>$BJ^e_sgScX3rXq>
zfc_iw3d%#8$goVQeYM8Os>iBvZaaR&GlweXBIViM^pDkh3hl21ytf;D8290&#pX)N
zD<_ctik=@a%E|R+o5`8O2lPfg+(zQYxx%WB+{pUF+l|E52-3d4r1$w9OAykMm46XS
zke3rChT2=sGKo!{tgXI0XRg7WFdHx26Z1s`I#RH`YWLaaI2ao3j#2heVSMD#)WUM<
z4T9ixJYhcY*;A$H=}W0>49ca&Vj^eRpxpXokA5-{#NlSJt>pBLS-<{mLm|m-@D&ff
z6VGz^Vyzsue;+7whx10Ou2Tn~6VlL6GptjM257tF@1@S)n8?tLeBXN8P+OZW=`?b|
z)M(6K#%;+O<b3=^sO^c<#^V?<5E5!VnRc=WfpFX8D-5Ef@T}BqQ>mM^hxbC1{j`h%
zIXM@0KsWvDEZO6Y+a{gY!x>C?J|q1lJR;(c8XJL=yPh-PehoW07%PNOr7Fw(ed*mL
zxOuR|*6b(<ZID@I0xZf>B6H()>>!Uu%xiX2pLQJ5rj`5}x1S+Qsttut?(dqW_{8UC
zmBen{i#qsU_(_To`Pas7p&QVIcoEOjdSP<(Ot6Az|LPa@6rc<<mEyWPC9ymwfp6Gt
z#Jt}6vd$v2N~f?us~w|9UR@Uk>MbO6tY^SP6ZLlcT)*_0y1fb=EG*W0X-Rn`BF|%M
zFYhgsUaGp@v}(bgwK4(bJcZSw)^HW}-pxs>k5G6Z|1cPNhM{X;ebs=U-Fm4RpR4tZ
z>YJhVS|Poy@RNMnNK+z`>W4M5TP2{B-@Un#r@%s8m!Z0D6gm^;nih~|ij)V}^pd#S
znIkayak~mG289SONN6<u3qYNzYpZM-c)>)(OuFdgG!vsP{Sk%g0zYtd>=EMlO=8$x
zo}Rzr%|U!fJrnu4vU5mDJ?c}46b&Y98^ii43U(Ar>n-Plc*+E<6C(Q|rmeh?=e|3M
zAROA*NJ*3_f|8ynyQnCeXlF+j$*P-Ok&3#2_vgTkqpX}E@$|So<`<!~<WRqdtOb>a
zYP}a+5Qo43;~=wgd7(W<;{3!8Cj6?o2vv@HIHayP=1Vt2$}d1Vg<-$zF~ZYjGhx-|
zbMqZ?j~pO1*mKnfQ90uQ|JRDMQ12D~8r6}aEgBu<gw#(-nl*xOqT+_k%mP^C_6xf7
zM;EH}H2YVQS4Uy`V}kw(?KiIjnq0)bd!&55)JiB^hov#R7><og2)>GE5H(A=OyqUq
zen;`Nt02@lV;IZ=m}!o<?hCYoXSl*ZBgrloMa3xqM4x<=O60OsfFdgd!nrx!#%bIP
zuL7@_1X*<bvwQZ@XKUAI&Q#(r&c5HP`dv-3QGML|s!tQgf$*(DZ!cOV<|e!e2aig>
z^N7cg)rSq>_&tQHoSsTfA`n(|@Y|e9xsDVY8?dCsbVa)vf$4(_VN=ap4%KU1M)K)Q
zK2F)$g0_d~$7AGT)JJJ<Nq6MH&p`$WZt#0|&7LPSm|W|fKvPmKp)tAPT@B%B)HpH*
z{_xdG#HLT|e<M#LiNdu)H$`upbTfXJ0-oBJ`EcM8>%k-a7wrJ4`4&G=SXH+ImH^_f
z_5yh#!d)oi!BeskVjY1<-^$uP)Is+1_=okT>hrhoJCDfq`v7sjo2H#`qj;a_?fT^M
zyJ4wD@hdX^SUKNxJLtr1&|h$;lAX%Q>Dx@mXbZEflkMb2#bDte^3SQlDrZQGqGoC$
zc>6}n;AUpT&F0YIUbMw0d|zlBp__EeuB5={@mIO-7alY+Sqb4BimloCE=e-kKngnM
z_bi`mJnN4`?t0U|EDE{7ui9!vy$uM)J60rG!HwXWH(80n1g8zsfIBmZ!MvRxD=Ech
zG|0%%vtzk5&fCnZe*&#=M%qYSC!e5gMAYi(HE0inUaa%Y2)Qy@_dQK_HygYGxu+fG
z*>gibtvgE3hQ@vJL<0g)vCx%skTy3r{K9iWB1425LKrWizWklOfn48jerG@P^n*S!
zIpO#6mcDT10?<LO-1)aJ>YRx3DTFWPA2H}=<J!imqh&ulIS3oBHhfeB*{9=~r<uU-
zz=Zg?uoal@khl<uB1D#(Qsft?sq}xfB9m%#LYh0kiVxf5Vq5mjd_h3&Yj$0YA_0mU
z2tdlAkFmAipBmm*n7@J&j)Ud2>V<~8%6)hF`R!jUfOWrH*CP|&<XQvVuL%J|qlqN@
z_+~BlW{F%nQkZt$j}K(2R|k5O!-`}i>Eb8b!ETqQDRx8d*ojyE`%=Iq)ExWflKqVf
zOZ%BM(%!C++n}mXpM%nHOVuep&M2}Tnoh*;0~95MJ+3<9ch&amQElaY+b^lkEz&*(
z1AM;pVR;9XeHqvx(G9>dHYI(UBZa%0R^os9VA(A+p}&stq)`!3=j^o?{&gS2doQ^N
zP@cVEaMq|Ul1H^{;iEdx##BUSD)=m;Q(ye{qk`W-*Hr8Qv^{jl6H08Hm$VxQ8V}U=
zdbQcS?1xtdzis}F-3k4Ug!)v3q`r`HH$L#z*}SXocnnFPNFdAA6<&!L-lh1*99VG|
zBEC=2=v3sa><Cl@u}kKNs1wr8Z*BYc?z%#~svI1<7sbD$;sl1|zm|(ksRQ5n_AL~?
z>7v(_uYNtz4buV>U0cnB?lkuYtkqmScE}eogCVyqY^;s5Qhb(dN93Bf7S^{am61C6
zsrO#|C-cFH6Sg!yt~VTtEVJ-vx4WFc6{p937HK(*_g_nz<w~_`I%->C)&i_k>>hxd
zRP2dZd^S^yT1%YJ;LSk`>LT{2p<$tf`*c~$qTQ1U1+b^=jWfy<!J+TI^{`EOPcrpI
z8AkwYH3AM{kVvSh@n0>vh_@pF46KfQjP=_;EaC@vnL|RT`m*iiPsH!}+~iNPFevnC
zWqcxrA#VF8%<Polo|wu#IKxq)%2S2ewAIg3la5(f6<_L=S(7f{zuSMyx*t4vYmYiG
zD_4fab^nVWtJ(}7<pJ`$&~Z(1-sJNiCxt{v+NgeYLSJ1Fh#8Wjp!n)GA{LJ&3)oa*
ziwQ5F*^891m-uY4h-x874rTa^EEFMjlW;c%s0r-fzvtG}3YCyT+I$odqwJ0eg#G!Q
zYbGr_eY1+wa_g8{;4a$|zwa(fuTQ=M&=(yaw~GRnL>0+N2ihX1k^ZsOiUpJu59jI2
zPoUoqoS?zKb06*>__5(^$!vM}&a2v!dd7sH??mlwB7-G+;S&kM@wB?QPnHcC2|Bdm
zjF5PX_r>v2&%G*#*`k8#_OPu6gvhPtv{1s9htXx)wg(Xwrbg0N<*^^hANHFQ*UOO6
z$H#KdFpj#a*T%gg{5J8%W+g{{lZqYAf3o5FWNJz|JxM(dN{)3u*?BL_uxx%<<6n7U
zCenWy0n#ad!k2LkWVG>pL7~|0MB2tNnW!a4f+5xQq<rMEENmpr44l_<Xo#5P&1u@y
zDI$2t!f1589+!pO4(LIW3)^3~lEy#*Ajj3w-ujf8HQ)NCFy9)T-2o*ajT73B)00Nu
zMHk^)mQ)5>=j5rlU$%JE;U23RsOs^7_Iq?hAG0aH$H2kIruk3J#lxaA$u-U3VeNcB
zdlio}3xS<q*N3gmX|R;68WIuS-AC^$EZb)zjmE@MRw%wAL?^xTl|<Jc>By-iss<uq
z8dEvoSo?iskjLGm=Tncbnhy*`-dg<Vvb}lK%3QJwMihfipwzG7Zl+%O?q%#pNNeK}
zD?Y-^HuVF0-S?zb;?gQwA3m*(qo77ggoRKPl(hVy?nWAf<5q}5(z8TsEH8jf($qY~
ztp<#r7P%<QvZ#pb!bA~8Uy0DEOeNTFKsxj^C-}_B$WUS=dR?M#pAo3YNi$nUX&+Or
zp*)zGVPGD59CP!qK2d&b=el<dO2q{k##WT^RcL3~$PCOQA;zVs4{cze+J!koa;`H_
z;R-9+zogB`7f`6Pn?CSY%}y%)U#%tVNR>J39g&forw-sxOXJ$b!6SB$IZrG_j_pwv
z7qu$cUG)e(VaM^F%jqP!z&pQ|dg^k-pUrmFfGi^r#8M7ID4(KW77i3g>O+_QTA|0?
z@JfP=fb}i*>~^|!ZtrjbHUw()ducRV61ral7%V8CM8$J99|wLKkJln%uXogLj&(Mc
zw+F&0JZP?9SE->+T+cRQlky1uU?Bp;n9!r}F=l0>EdS&WEK2~Nl#YPYU|Ctv;j`PO
zAJeaObG@C-oi(WP!ctvBB`00_Ny)zYfR=vv@cHbdqeP*Si;Yl0*OP6b-=j&eMHThO
zH#z*1$SF^QGmno?MCUs{UnP8*&BWcL&epcjuD|6VqM)Bi7Vc3t`~rKy?%nQ#IC?vc
zNOoXOue+$yu=~ivxGxPQx^V&jMr(cVY6VQ!T}klD0sn2ckQwQx);TQh`!#ZDi}`Ps
zTF@i)E>63I`5RzXD=GdFi&2?0?c??)<r~)T9}wu<_G{|$TSC=}ij^x%HY#gXRog(2
zxE@8?i!I92_1iAR51tFIBgGcss?&vLleON~m&Mh-bbQX{^q<&Jk?KOCddGEX&2R}V
zI;9u({gp5J|1bG1o5={s9#l*GJC6fpO&*0o38&NGLOZ1A>=bA*#=DLX2s|%4P!@An
zB$e;7p$L$QDA-~$E|M4mNkW#+p<SOD7XtlSJQE!sJ;3E{>9UD!4+Py~<N4?O$~WYM
zLKf3_8N__y0O|~Kh!~oB7!e6d$~kgp`0g|D!1GGu|BtJ$3W`H(x&;Ek-QC@S1h?P`
z1b3I<?yf-wm*7rtcXuZ^!5s#726yh{{NItfRXk8r^R)Nu?p~``uRbRsD~Ny#%m^pr
zJ{BmpgL3WA8rEW&5DLf)MGf0eR!gDFGE^g848?r#0AN>%XvzOT5Q&b!JGsIZCgY^Q
zh{^m2qiDG0?s4emu6{{_N<w1@T*jLY@I?CkC_y2+=zIMkc6Htz+kt?cu#=MsQkUE3
zAdMa>TiEZOL~ZoZ*YmW3$8G1JHo8Gh=0WFZqlzUpAR!6Vd{&V>eS9T<F%?<1D)3Y+
zazJa>N!1(o;n}xe!#RTox$O3I(5~wRp-Z<0YeUzMQ1bRjtVbGuEo7x;!%MBmjI`2C
z*7iHM?*pCaE@XT7JyEt!X!P&1<Kp@b5<)xMOOokZ1{_38^36MKt}Rfaj5s0{6a`H-
zRZfw$rqU0vFC6^L#yZ5eQBRy=g|SY|k#z|cr*e(Lp~kG^P8(oJC-Y2&Pf^RV{dkj$
zji7d+w)%?d&FS()V}pxsla`upDUXo$!g7;#deutlWqo;}k2YcJO+q;_b6K<9aT{2L
zF_g5_+S=gbQChakrQeih?K2d&J(tw7*Kz{;CH;adV~rX|evOl8ZMng@?bfN}*IzRj
zbhHY)B?B`a#qFtivmMb-iXOUuDdGN)`2*9cIS|7O>ap8@B+q~U*<%!6+U5|FKUI%1
z|9~x$>V}_#^Z#kgc2qLt-;o~B$LR3uqhAld+uHW@s}4vM)YtRUT&*kR?QTy>B4|t@
zd3R`aboAYnQGhqimq_=#Rgy%uaFnAEBIu4NFxE9woDPTu;h-pZS#d6l*?KI_cN;E}
zFXM<n<9ZsPKly@iM=UR9O$a*rNj!pSf_=@jT#Yly{QCZ_V~a(HA<Lih=3ojQGwT&m
zNV67CxNDP^M*jFXZEt4}_#^7rp~XEsEFzlCq@Dg;WLBd}X1<EUuq&%==ZGB?gYA2e
zcC@cJK-xn=kjm!3?n)#C5FUF%z>Ok^2+(ayb<t<Y@>6+slDHFUexse4&eMg(TtCG?
z57Xg1LRx*8FKY&lCxgay?|yc`y*o8)ui0B%eNvRSOydiKkbje-O*Drav=idk>XsWq
zS>d9F6tsffe6edXcobGQbZ@hVmI_UsbX1NG_u;06qOCFa!zmQ#M7tu*APWTH`Lc2r
z?e6P*&S8N*x_{RLirRN?SZgI+()m|ZBi()Xr)lZZ?s)m~;Pn2#FaA|Tgw^Z@MK5@V
zUi;>~EV3AxVtZgtF$8Kh8@w56J1(z>hqT4%*~?JFKD^J9@$b8ci><88=GJqORqu%h
zxP;I+Yzata>Yat>(6{g(0|N?nBJyCEk4ZrXz_FuBySExlwCp=YJ^uYwTtjn_Hp`P!
zWwuqYjS6c;Z)bm(pU>sNe%DlnhgGwz?mZH_No%38`05-ZIr<O>I|Fj9`21~KVuby8
zlpCcGUz#2S1G;4j($%I|zhH2!THSml6h^%L{AO+;2lg9u_~H-^HYCii?2tGFM3kN-
zF{#ZM#65#7xCa%81bvktH=IdWQBjADftl$xpCNXBLkuoU*=%3;>z{`ykJrZcjt@$!
zoTmZ^$V{t}>q*jZte_6nB0aEUphk7MSwN6i0yiL|>iAnoR9cGvOV*kfC*hr6Gyc2f
zpj_#7Opk%q9GzJjy)4r?pRPp(CZUXoCR4kfDpRDbJJC8VAFy!2@^km@?*Wr09LZJf
z7Sg%iNN%;8vS03$2GM_GGw+B$+NXI>hx&hS$UY7FdLp(<Xt88zb?4!uvLI%)v{#cA
zDs(Uz3k5>nBWigqE;few(JUWK)w(0C+Sy{rwBS=t0i5uO*k@*LJ*jVm=r|!98Mlsz
zi1q_dcH8qpFL4CfIdk{b!wTm2$&FzZZ25N(?G5gbmCyHnwez3c&mQ@wg{TLdZ9Do8
zKDmF(hlgyi9yOIE6#890eRR4~qbLd(7#vJOp6|ppGCA#XKXACliD64S@hUB+a3cWt
z`;r2RrJyws#b;e~hbpDj$g}s<9BS(g^ZCMXi+w-SFVg6>bDBip7IoQa#cY5V{g9jz
z9~WnvVWXGqli6^$tJ~>J)d}O+tVJFdW>AV^gn&3M2p$W1VZRIrR{|@wT&kvXsZ#GC
z=Y&!4gzigaibz2|uroC`1|)-pA(VB)EzLqaq$o>n@ZUzCD%~O!#x&ia-Egpeebfg$
z6ew-g@3vv?41?i7d!R_g1bsv43HHo3*?$=1s6Sob=EHrp-go~-HZn+IDsVA0PV14z
zoUK0p_Nblf9|CBta1(ysc-Cw-e@;E1Bln%vmX3|UMPFD~C5la(8hN(pEW00?pLwck
zjiv_XiVr|-RB8r`S#?RhU9obhmREPr?>9oi@dT5>J2*7AZy2n;fc!w4`A!b0LASMf
zdJL7Bo?fZ5d888_+tlsOJ0E`b^?{OG>L5WxPOkvP#P|3ZM3EL^A?e;%$Foaj1>s}G
z`cUs1(*(j!c{Nj3YdDN3#oMW~zdp58F6NHQqfP4A^ijrU{xB|00I0JNEk>Y#L8Hd}
z<lOgI<U?G>-s;;L2MyPQ9PsWs&!kSehf+X`Zw#Y1{!wlg|5`lB@&3f#iqFF2&xBN`
zO3vBI_L6hcAlOdHoO)@YCJ*Y`q)sl!=!I;!;%g@UA~aeV#*E}=i}(!0KXoWZaZFwC
zGTqywlW^%m&u_fHYfLbzV2AXCu>7`p68$elA)NyWH#<b!{T@%viM<5%yXt|{wx;rQ
z)mQ#{M^BHMby0yD1@Zt7zzI`*Z(z8~&0sk;`i<oZ%H;YpV<dJ!Sm9-Q<6bN)vWN)2
zcEBX{_C$Z|nc#;~b^Ra!*=S|9E`M8Lh4>Dr%F4E1Sm+6j+xvn>K?8sY8`XWKt{Zb!
zaymw5L&(1q-e@h<ge=`1&i`#iUf|983xBw=ChgRhenHo9##?ankW@IN062X(lAxkY
z%|iwK(stV)-qFUU+bb3vu_)6g0rMU@2_6#FEZ_KW>pR}>MnR~IUXgG=1`OMKV=p0>
z<6pZS3Q2ZX)*(bIIra?8Ke*vPiX=tF*s2bhbV_>=@8&Tc$oH{y(d;y23Rf`hi$dK<
zi*%J8-TUm`w>q_ZlEjUs7PVSt5ppE|dv@*Ne;Bd`A|j-J&p1|O4Ze8;nTelarKHWI
zQQ#va;~w5(1^>1Dj}|vA5TqlFa-(kW$(K+`4T_e`A1j;lSF8+-RTfXR?^jDOA^Y^R
zu!<VLaQa#1Gn~sb+Tx;zJU<)}I&1_d6Xc3Gt6%{s@=CFi?3uyL_|0!Rm45yotvCJO
z!K`R#3^4~3neGM|YPNoQm(80{J~6L9<d4EswtfkT?f5Jo(B{dcJ*b%DgI@1#$-R_3
zw3<D;*MpLGmobMg8^{_u0%ABk?8pRzQz^`!7q)GuluTx3-p30B`UwMvoB(^4W~k>p
zB*u;)^2^Ou{>$!EjzRfS6Cpqb?c5rPa5o@r@|)&X!6Z`3yBlpNPuuBp+`mMD#Yz4V
zaz)FY;}z9F34Nz@;r)MPikp()9tSs(z&|w&8KfVrLH5qWw!qqcp%jgjzD|7T{t`>U
zs-P~E2`VOxGt707)pAW13u-7G9<NP)1G_=6;NEL(`FTk@|Ka!c;i(Ve;pW3M<7JhZ
z6+<@LXj7BLVpEuau$TA19?fiE*Hz~yH&8t`%TF@ot)gR-h4oqNt%>O|*>+Ad9JH0%
zF~Vd7Pfn)QY&DjF3cHT*u08po;dP&B(IEZMnHe^(2h`>xKRe(hc^;cfG3BcE_E_!1
zt&%Isd}g;}j4o_6@qi#{7fii5wH*Zf+m552AT{#~#@r(YgRQuwS5QcBRxLcEJ1Zn*
z6P;I{I~YLLnu>O}lM|<jcQU8{N^?r1QXqt4p?we5*J;|%y4mge?idx0Kqd37QvY4`
zkwLQ3h(N~TvZ93kBa;$=x{>epFza|l=B|+F_`GjuNm6ThlTl|uyPMv@T~Ak(d-_Ck
zGf3EQS#>DrfE}Fx-<u(pe_sTeFD(>Ynw;G{69iqPnr+|J2}=>e!@7>oI-wDh=$T3$
zmq_LG;p4mC&Y*(28b(3A*H+UFU$vE`20mpfFB_cQG;M`&>kr0cJs=jkoJT}spqz!~
zh1OW_<LIzCBl-FrV$XR7G91V9-$-tLEAb}G;!!iTQ`vas0Rj1=CyQQ0j&Tc*-AdM)
zc9)mur*&)a=?o$AC@CBI0sUhr`e}jzXdotRoE<paBD+*0kE)&IVn5ssS-!ImsXr!U
z_7$1-`4(b=?IucZ^BReIO>A_P!!CyBZUo0+gvR$O#eiT+(7y}Ao>#H?WZtN8dE|vi
zZGEv|%%rJ3!|UIyzsdhcs+idTl>V2t${~R}K(1<CV<`)r=;#d+=rRSfh2~UHYC6BA
z*T5EwXdgBZE_b*%dGMOD-N<jvOgGKWI|5EaQGxB~c{#bO7~8;VVP<6QyYqojFqr~-
zoV3lY>=%iTNt;fhdSC*h-zP48{gBz!TaG<?vDP@g=y**x=zI|5RrLI)SuR!%Cs{AF
zLFl4U&c_9hh}u_Nvroob(olm&(VM9N8tWH_y7?^PLe7A)^g}uF9lnG=Pcl0_JDS+G
z*zOSrL@<M7*?vCG_kweSmTty)CmA2t+(s8YtJ(;K1nt0R2XX)+a`}SL5x!LBcv$Bz
zfPl$%lFF(k6`5$h!2`VJLcJ)6Zm+x`y;|hjiaM*?J>YaO3Ko1|$Rgdl(7UzT5z(vK
zhrFEvMc$LtbvTWhiT??Rp??y(W5Bkc@wW88c^)ii+N_5=P_0~F{7YRA7Kx|%hdZbw
z{J>g(iqUlu^sJZbsoL`n@MB61jlCB~LW<}{ZQ&JpRD>r?^iMWj^*=O|6a6D0NEuqT
zU^LvQOlL<{mrpyQOTI8T5|qXq5LT@c^GVi-Q)Sd#c<6d14*W*Ux#UtB^J-0cV;I5Z
z{lh<lFLEe51E^Har$Uz1iNRLsB@+b8zi!tSv%i%a3@d@A5{X_zK1^RJjLPR3RRqj_
z2UEZkuOBF<*aJvJa*$SLowQSZ{-LQ7p8nV*IytN1-L{3NMmi?x40r?hC*+2EITNez
z0J@7**olg)oY09`gEJ`tYd$vNb&;e-ZmnS|C@F<QphG5(+$xwt>gjkxPzMiSxjybm
zrR32Bn1U4@N6%3H`d<fG)q;NfFCqreP=m?o|6kcYOA6@|)Fb{^k6r;6N)78b0}YOw
zzBl~@u@FK8S7l%2ci1>aV0ImKm()rl-dY(eA9Ya*i$Iu1Iq}?+Mo*a9d}|sV9vdFP
z3-u!XYYnjzF?cLMKGfg0v`@mm?rZz&wLG9Zq6w+5`>X<;7+uL!?N~NDA;8bK8AqN)
zz#qM$FOCu+^U+<+0-BG4j<4)16`%Cm@vWJ$u_?LHH`$vlcsdnvmNv&P_NTlZU}>dQ
zeP$OisX*J<7`gi6O=vz;>2`3zFdRaE)S5Qg7XhNfLoG8}O|Y|Q(AS|$2T=hs<g?Tu
z(x_w8AmQKvY78g^fj8;!DEJ}Os){Q{7E>ed|HyX#uWTfx+Qfo5oNRr(KRo>o&GYTw
zV$xg<`gz+>qJX;0NGq#0b25i9)!_Y~Y|ZHgrPiLe?&;ZZZtz-a1pNGLeC&yl>^@R=
z(_-Te)qXs45t(j`$`H#Ns~$LAK?$17j`~!Tpz+=C=~ebbC^jJF;KTK4JfPBMplxwH
zZ@S{fausywie!f$F5oh=Eo&*&7i#f)!Kg)J=JH5fV7WEe9jNKUNouz)0G$WhFl0qq
z)%)>njUq4yZX11g{SfPF&==szKO;xA8}X7BLWQXKE}lZ1D38RkT=$3OKt$s-?@}ut
z?di<K=b>C6;SG(-CXq~n`&Y+`Y+4FRe!Z0_6lz($lN8P_k;u}hWtxTpl2lJ>37{P}
zlGJ20$o}4jp{d^c3LWWXTOd*zsgL<hGc>!s250d{XxoHUj8_#=c*4E(wFN0`2Hhv~
zFA$E5QO&D3cYhu+*am_}-lais+rnpv+h1^$FDRNMhA2_qt2oNC8+T~6*nbgBfc`~R
zaI!)nLC&|&r`P?HvdnLxuW{6E?2;ew>o429eYx1=LjObzxom%Q$iqAFkNVhJp@CU5
zW@{-p_j3y=_385Z3^<CAQ*SKCcKyP<9un?*-{;&-r+rU8Gh(^Ops`ruMoCrTQvl<k
zb=-O&%2!hZlDUb8Vh_+LuN4(1*g@>yogb7RA{ZL_pr)D0v6#i}^Rir3ih*g@*ZGEJ
z(VrJtz2l-*v#qqrD9a%3`3N^MF#Q8CY-NACk&CKuX#%%QZ_w#SlaW3a`qabqD1aSM
z)e?*&-QDTu9^=Q<(!GlFG}Eg1XgG?j_cP@9o+9AHtL_zwhouI-mQwRk<&LVIj=%uL
zra0K)%I@|*(<<pRe|`~C(hn9IT#Ee`90r1dZ);Fl3YW@a*JBQ3qhi4tU`IErOvvPu
z0Cdd3UV>I#zE4%UFp+o~vPBo|l1b~l6%TVLJPI*f9pDpNw{zV@!VmU}Jv6@o<?c_v
z8ebf?kK?ThqUVx3dM$m|IGm+4K>qUpieVrHe;v`+dT;X-C#x52dDci!{+suv>Y?$V
z$}Jx1-2QzmWC4$423d(bq$#tZg3Et`P=Kjy_kH=MQ>^JT%I556u!cWSf~Z!o36C39
zuD7_eq%a`d@65-GF~l`eq-{rmvi!k7iiS(52G7ZlAN?~kC3S|He0#fV9LSflm56DS
zuD{Q$p)V$+K|)+3R$v9WJ6cTB{W7BBe$Rj<WGEPq^<(Ku4ZRME3a9f%^}M^q^ap1-
z8^iDk!VP5O{f2>c%BAM(aTh$M-o$f`h!2tis{(u-sI84*A19-)5M(ZPYkl0^C-jg2
z$XsbTN8%!C7aC`iL(%;{R_*)4?~Y6kgPZMi7+CP;NaEOOeM~z%HsGHht}56!pdxX$
zrj5XQ@<-auJ+CK&>9lw5E{Eh}T^4jeW1>~AlZozZp_RasXCv{jWU}23ojrjZ2|T^F
z(oj$<CJ8}MFHmVr&jX_C(Gk~k)Vtt_9_Fj-Y!5}Js2Y50Q&eA;kH!7WjP|slGm`6Z
zuX%g`ZFtW&MaF><*R247RqkA7l2$`boT}yT*|PdUYh^4<WygzKfAt19(IAu01D0<$
z&5vxmUxo*a5@A?e+HDrVLVg=0UXuS^-32B1)$K_|{3`jkk=$JZe?SQsl>eX7{Ejl&
zuR^yb2joyK_3wpWSU?>K(!98%vyiOG2?RoF-{x<xSGgKGCrfWL7m5h<9$XD`VDwgR
z+LH)n)WKuEZ<3HxV^JDdiPDR%7-tz=)khk-CnsLjxIWE_gpa=)@?-7U7A6|}fDUPK
z&y)_f4k58$rj;`O_SQ(#R$q^mxiXOcvXgHOf8Kzyk&PBNb@6T0=RtvLFnDFplwVd{
zChxI+aA#lLNFjytgRBRtt*R~y1$9^Wm$VAmr0{#Q`N<H2%i#%I$;UhCIFH7mY(3pT
z?u7!2RhDb%D2eRK&ww!a(C}m>jGrUR*O>2L+Ngo6T`U+eq6LeLqB&Nr16#RPp?OY(
z@GZOX?{6%>zh-IyPy8zS(a>?R`2=xVR6xyEg%orV!8Wn%Uy&t?iqYy3ToC;86GK>(
zt0W>&O7Cg0QNda>TUpObSOfbM&?_bp)p~S)NTpi`6|qJKepxd5G#t3@<VKrv`p)Z+
zXrm*k`VuDgj)6~(ahDeN4u?gGrHzHy{qE1eOk0?v^Zy>?=FFdYr=sMT@BiU=H^_3D
zmael@`e^R-u7|;LnAHE4RN(k|<7yoI@k;INBL&*rVYBDVXIwjWO0D3nB>6@$BR@#R
z0K7zkfOC|+ZQ+GGM$9*FPB+A)azVf_0BtN~o=~^HZ1P1NwQs~{!@$c^2-yEFY7S!e
zGhX=_2F1zfE^Ljd7oV+A7w-F8*&bYsc+1=HcYADhge}`k96}gwdVGrjKUdPRenJjz
zGVUUXcV0!CKRMcre^*D}+ewlXzIhQ#HX?lNEohAoi&rp~p%R#n;PAu;#pvBlXw@Rh
zsGUny!<jqF5i0}j_vK-YdMaV0`N?y;GSr7osh`y(<;Y(j&Ja!#9Z*ge-s46dhv;E&
zo#vJhJDh6wer<nQb=R|_d|je;5z1)8enK@fw4bCJ<7q=Jj6Mp~PCgs*QzMl~E;hhK
zDKB(VgiQX7AuJ0c96SLt%UiE7DQp7FW&=J*^$YuHhS!vAY0#~Qs#)^}o(RByP9p22
zTnKhcE1wyRE|QB{0zgZ5SHY`z_!if8hl!2Ks}5EDa&Y`7j*bJs6u`K74e#GFUU1aB
z0OMcQsx53u--sAY%736+KpKWZk8}V)m~7ogv{&?N-PkpeVoU;ook&`4vPmisM*4NA
z=BLtiB+4h}2n8wMPw*j4F)ZL~yIDigxxaUe;)cnf8w?lJbl*+ho@VDF;+8uLl+o9V
zGNhnjaA5FPG5fjhieicl{GmB?F#{rQkU8OVhmvn^!1W0o*z^x-eB6FG?Jtv~`ptfI
zakZbknKw5Sz|(^LxckYQDKPD7@_?Z?b%Muh0>xTD&p!#{Xe2x`vWK8^SRt0y>4YhF
zkOukOT&v^hMpE{zkDcuEUV?6*x*AbW@5Wcotq~TYlpt)YCIrTzz5@*OHG#)R)ceu>
zHu5t!e^wNrHb^61FLt>=+MT0>n~#ks41Rj>b_{04{w^}H8wmtm58h$_4MK5?oF^lW
z74Dt5zsn=;fF-$>_*WE={EFiw_@V-He;E$PH;^O}1(0^tA{?=rD;$5oEFEW~<dFSq
zB3tAIgC`0zGOr|SX(TG){P4qC%#qt>{eN(B)SoHK!QJuof8SBgG+f4O#hWDI(V^Qn
z8f}k3)o<Cpe)azhrGY&m68wc|RHqSo1N+;)#^!EL)k2dgxPoQ+u@viWLTyf1@!FC<
zr3Xagp{U1H9>WCcJ8WoPKXBrgRQ!z1(gm1xt%jr6h)%2Z$_IxRALJn)Haj2M%4W~L
z6Kic?->MD#3cI`D$pD3bd(L@4ML`9s&Z8F{{64WI9Ui-qsYuJ#tX}&|zj2F9NGmQR
zY%MQJx`2!U?yjo|-T0}9LWl)QkQ!?tITSS_i+-4mb*6NWm7Kkbl%0BY5#SEG+`ibW
zGj}2|mHqrFVG#)<V8Rprd!xF*EmZ`d$VnUhX868BVZXbEhzUzx@*Tf8*{4Av+9EtJ
z@v(e*MIKjM^uPhBt2pNM2+mBwMn)2^20R(J>~2^>4*OrE;sV&Dk+u}Q)AqVW#{emM
zsgaZ}VI>8UTdM;1SC3WlSH-vlmNz#be)0DpGZ_R_(Mq}w&TtKIoD}g{Douv`D^99|
z<D^(($s^{_XI=}<>4J}2>%A|-^IQKJKJ<<Qzp&0`OCpYcNw!&k|8?%FTM|uV>wDQm
z1{$l{2Z$cCq_}tgRGk;TP?Ar1KhyhQh9{i>N>G8~-rG}KDN*9DqSZUWLBkb8{uq?6
z@DAa@v&;%9?#a{62O2m+=;Xib(c_BMQ)4lH#h?t9R!Bub&{2t>gny78VBc$<fQdnG
z#mZ!ATW40yjB^LlqXmB{U6jWGMHY@fNyuUn2Fc<lB$Y^;?#2o1?BL)*DugEBf%Ke<
zO`&j57ZPb?9@T1M3N_%3Z<|&I3F0C<2o|g^Ke%91S%@S<=Ttv42+H*O*$gvENYN{k
zBj@XNj)^JT8|0v?ZhfN{N@+tD<m=B<PUl(mx`87a9~&Z#&g?F=8M2=o(ne=;QK2n3
zcH*PgdDQp(2`5aN85wGe_x+snBw6`6uWv>e`R-<&`Fpkf4dk=&4I2^;s=P!|nLzD#
zSA$xq)j#4K|L-CV`yrNynLyGzzB4J7*fJ*jl5Lwd@QjC@@i6Frm4!d)Uo!~7n^IOI
z|EV@aK0;r&o^xg+s2F!xL|F20>pgOvve*1uTV~VbsK<XgI+GBX!@|KyZ$Uargc@75
z>8B0&6fitCG9*v>@E)C_e<@uxsBEZl=$$%>grQ=X@fk|;Cpy)+XgDV*35ahx3p`ab
z;TcePdFJS!!aePZ*?A)(Kbv{YQIv2~e5KJzja<<Bz=us=OX41A(ryx5C=rZXG>*`c
zh(e4(4c^A05a}aT8<{hFTaxI4a>Qn_@G9$2gQ-C?J8ejCnoz-{y+1Wx9UWnAksl=Q
zbsH+i<7fm~nXw3C6K^!l)&PS+t)g+x^7&wm9&%r(1sd$`pYNkepgYciWa$xxg({=Z
zv>2HE>c#w?Dj0t&=H~SWIYUmw<Vp1NiGab`r=X$W`D}>dJuwsTNML~Jmz<EIU9G7S
zzler|4AuW|PkQj+!NCq-KHI-#8rY72+#t(Q#dlVbHxwNv?VHac{ojwlUmsmTo)3W7
z>y{p4q|w!gw@!;c!#8NK7hs)1ZiIb<rhK3hVZ9a?>d;irbtRm@5{N$ioRGjHuu4VK
zZ(wOjb(_CS!NP=>dqiE71MSoH<$(2b!2kswpCTY<5zZlS`*37Jg@aX+ifY|wc4p$!
z;nQN6H`N!o+AN#?K6yztEvjHbR*}I61!p=63em4^f}wQ-b8_AEVrKY?(EuZgeAE)%
z`5OE>lofj05wsW~K~jCBZ((lv3PshQtw<RXS^x&6#wkH37*&!iSM*J4rt>XM7+Xe9
z&4B!9QpSEnDb(%YhtR1mE2cq&CWjYg`>h~byv2@>z8nphwvXqMNLJV(-X{7(DrDOP
zScKtSOoEX>-lq?oyigJpa7vTHa<uZ2-&B}L(!V&PKn(&yjuuJN|8kj$f}4G*Hx-XV
z!8dQ2k{VAWZHdhJL$<Cr9!D78a)l6~{_lwI(INNG8)uq5FDdad5dJ=Q2>5$pNWadr
zEBB|$-|?4_64X><|D$dG;3h3}1xSUBMKpnrZm1{)yJQRk&~MEiJdXoGMm?_rOuSnD
zyF-YewRM4Zdnv!jgJjE-N&OmiaW=?%LwPRnFk%@M$iQhA|Fp)zOz3tW$MCgBr#?KU
zJ3seS_9e<|KwHk7OyE%SBr*FY36qE>Fl!BlCtf=en1NBg?zp&!$FLq2;u6-A(a|D3
z%Gv{rT5<=ivPfIv2kU_5>s<6{l*AX63zEtAcbx(}sh5*NTSBiuFXS(bAN;ONgxO^G
z>REB6*e_$384xBjmT-8K{N>OfmE!=um*F6g;5)XrFt%nJ`=3O~2_6q1xb-D7e}OC^
zvKLoe#X0Uf<e>~$DMRNNp7Nz+YLb9xgU1e;YTF?;V<VBGBw%8RxV<Jj3A1`O{fng)
z^8Oqv10LnFxCqQA$^Gr$N-kPi*%@srK$bt}3`ReGon_M^!{-0w1F(@-4s4ET{bB~g
ze{O;q(g&`m&EL1JJ>#Etm%khO)M%wND5#F51Fg!Z6Xj0tBh=c;kny}74e-aqO025@
zEbZ>2wZY^!S^OpV9*QqZ^|Zt>lk35XCFu7CVtkeQZK(T^r{Rb+&O<XmX0y{Xq#!`;
z&gJK|DHi%cfYa;Cjaq#)3Kxkv1ICAB-=8P*vD#@gNT>c?t7+eLrLL-NbqRzXd`W$&
zZj~|eKvmiyTQ{lcv6NZPkMbw}qeZvuHhU}^-(y@&jm1Uj90f}v^OKOVlj70BHgs3u
z+2T;n1(&<@0xj##8_hQJT<|s8Evr%|=Y)^G!-34}9go>CS!^z2x!4zM3nyU+qX}}O
z8|U(~{7*V5rJkHm@D<~Uf<j>oPpT)-GBH%VuhyS4hp`P6x)6a=s-giF%eCjwXy`j}
ziGAQM@9$jqPvJN<iFL=dBQ@mMQn245?nuWQfMs7W>8!?y|3so<TBt;MiH}?-e<4xn
zN$&}wyFh}w>3nP-hq12+k$;<S`1}1)t8^_S*Zo`h{!;?~-#-DKv^jyPTg+k(8|q$>
zusK$f=b<}6bgRx={$G45Hc~^L-a3$$DCWZ=;08DQKRh2qx!jYJ6Nq_HZ%1dNu#@-6
z@-SOuvI3L*+S@SRR(zrQfT98+^}k=WX+wZ7=eLHlIVcCQL=j$<Bw>ArE$+8(rodBX
ze7wuoFRKoR3P@+u%g+`X>?=bf6;c-~ZxvFLDF)lSg}|KgD-{nKB7AhC@Q@oEdC|*#
zdcnte1n+u&#AIo>N)PrT#h2yHWv3^gWr=m4sYRQe?_%)6w{`+3Cc0ro4D$6K2$`jX
zGevN|y`0V|`5(~HU2ycy!=w+b(Y18F^z<W1fA>7o=h>@5f7Ysfg{XWqM||IaAkjH^
zRBD5e@Y;yIHEItZsz!BM=9pTt9*oeBsWe0fABf{mp(=ccb~I&T6FU6(2YF1{Ll@^*
z@HE!T{ynHQwfH}G2rl>A|F}bZ6%(m?dcHyN+4b;9vsvm=u}y<9sQMpxQK*8R6_bYO
zT0KgnkD810*E1`DGfQ!wd|0Ag0X?KqHv3qrgVr&F0mJqQ2?-S3O%S78qyx<QCnBZN
zl1dU|KgkPbBff5kSUfeIUpz{zeJJ+A0Q+AlP;J#l7n*DfZ=CgWjG__-#NFolsLB!)
zmS!$`8Qv(0cUI$Z(6~y-I`c%6OiI?nsXo#MZ6$NK89z<y=s2k1QVmK`a&qEnYI<nY
zo#NTPxg%nHi>v|aO4+EM<Y`EJFbvRW0Ffa$UMXs*7*+nX5$w2BIgL25uRa!`QIaVC
zf#r>nmwivdsyl@(=0!!$#U(26Eb=%u@Y5yKKGdE7kFm)(FR*&s0B7EYH)!08V~Sxj
ze-Y<XROCAhPb)CFTb@{p+!jq}IE!ZC)aR8hyI4;zri4y?g%r<gnmIfm2`cB@KK*(?
zh;J^=n^*+^cUXvUE%o8aQ=0b3Skjkaoz}DbiE421G%|nELVyYEgLz(fk6`MQIyU5A
z%whrv#R7LDI)9!N*h2JHKu1}|Q?Gn+P&unc-Q?3(FJr-f^S-$j6y(4FHSN0{*t~71
zVxWn_3`%szzY|Lk@EIhK9d5gocWk^3?3SXa&Gp6BGX+x}b+u47#>>Cn#Ui|O<ex`F
z{LAaA>DP2fp==*j!cy#GVbr3a$8S9Dq3CuckBj_UXKjR*6A48JbOgkRSYLs6f~_v%
zN=EI6-%;g|*9p27?}8Y)h5Reogt9A#8}1Hw`A>V&IqEY4b%mc)@m&N)_5?#p@9#Z3
zi<~}*js5D}pLPAZ?uN|v-mku7K`FqI)&3Qg|HCV)%!fuNEOylaM*?~sEWtw<>P6Rj
z1r@dcfDDRMVbDr%oVP<RCZGqD+X_&a4$H#7wv>|)d1S>*CS{JT6><I?-F@4R0Vbn>
z5-GnWf<Abt0{l)CRP*wD>_(U+8*hn8-z$#gbODr{CF7JD1&i=3EF?sZ?VWLZrjq*D
z3*#}6z99T?fEEcB%9>E)lMD+FRvqd;gNNs!86%=>(%z^0re_l`7Dp#aVS~vqFdF?U
zBmCVI3pEr>yvL3~B|RR)Pb!lfr;Swoz{nRRRxY@ATEVHHBk$Rg$+T6B1fqmm9{L|#
ze8~!jejXu_)aua~eZ-lh!#}F^A@LZT6o&)@N4Iq{C|y<#m^e*7M-2Hb6Jow^kjMw5
zI3uZ2zsSBHeIywj>yyc@7_!4X8B&0sF8o>9N=5wr67XZnSYMcZ4z9W0&ywI+^oNaf
zcNhG@`TcGg7nuMB6gs*g95VbTdxcm~Ar9RJ`C|tT9j&^@$0tu;_*idM%l9Ln2Qscs
zen~W%c)U+fNKWLP_!NCxn5b0>vEaef__YI}U^f(dB{AKRnf|z~-4OX!hneR@ZMY-=
zS?!-@%Y_t_9ID78WmGckYjbx7*sJaT^obDg&6rbGovmv*ZcW=JQl?sSlTqqzH+80}
z@IEJBM@vVJi`=v<zCfu~ROmhx5)nSx5<%@ve@2!soETz?;;1%VjX=<eA(jy{QewO!
zE2~l9oZnx+5tLFCF|Ig!t8*iPP*PnWd~4)ht{wf2qv09H@}<TQ@<h@&qGRB3!Q6;5
zZ83^wIz{}4hQbMP4H*HJ1iGR)Rsmhdf{B}<+fwJ~TL!;VD0dx4TV1uuh?}A5dfUtE
znU~#0`_nk@(}G+oo&0a{7WPIj1|yT&Fa2L+%jpc29F?NF#exM&nQD^JUR1^b!<rwo
z`bBF)7|wba*p#riwIr{sGP(S6^bS33QdMSIKa!MmVDwWb0*sA-ktP((WjD^r^^g?<
zQ5veqBLz`4#NtF)KLAQgZeiFj3zfTb>GKECwNtCSycfjvJM>AdoK;DRJ(Ibbza&>x
zm~f&vEA1A(ZSTnp<$oIB6O@RYwe-K%eC!%JZIl_xv*;6lPN1=1h^BWaI=rQGXi1vY
z8#Dplj-)74zjX>Mt5tvU`uQ*;F7CHC6Co~m?PITxX-#QFYyn<)n$Q)6(0Iys_0iJA
zrLkWeT&dbqY&LT>SLXM)t*g!|24LN+BX+Xv{m1=Xfp!xI0^~|NOB??3-<)pF1KBZp
z<HK{%wsE1A*A#^9zk_?y+g^oZ@ay-kk!A_O(o!ay(ZMG?8dhDb#s?<)wS~<#gA>+u
z{fwlWsD&4in+GeIZM@rTe@(K)mbF$J{=Kox7}c_cU#wQfaWjI1c_<{|oj#rq6{~LR
z&nAw0HCL@|)o83;w_K06XJPO|B!^WRvxA3+`H20Gj0fCBU!@wDYTu4lXX4P#YnO8@
z2=qK&Y!VU^x8o5fxtw;xD|}d%-1m!|<T60m*w}RI%7JPYB|u53au1%s%(ej;-`;Cf
zQ$vF{A)eixu)X9ZuJrM%@xXJ?G_C&TX54p&-hN~2+J}0Z<LEA@)xjli*Nw7xoYflR
zRb{0>vur<N!B)3{U$k-`jB6|k3QXLuDh{Q;eCfyU;(>>UKa=A4ZO6|-9C*Gco8}d0
zwX;k}+vWM@xbD5`J=q01c-PgJA|@4HmYb%v%Y<U)bJMtOyRqk#H1~MD$Ux65kv?C6
z#yXT`XP-1<!`$T~Rmod56eWabykoLGXPNzq;0NA%>3*Dv`ZW_fG11hp(s+o8h_jmY
zJt=2*L~f(m%9PE<>r$%?Nl~oy6$d9W<a9vJqRnUNeU*xNXk$%j7#7dNaLiF;qc_-K
z<a)_`6IJm#?O?jvI(2>^oNBE;9V;6O`9eP42|9Z8D<X~g+HzMs*`<{pp$-&r4PS25
z7dmI~N{rS)%Pv>d*|X5XL-*%`M462NmRS4<qK8kQ2AjvH+4+W;P(U!v%ac+Y_v;sn
z(aM}8zmvwdjL1K%O~4@SRQ^IHO+`CMGlih9X7X!L;M_k$L&I(YqW_|+KVL7VKsy<c
zRQXimSMAE?(l_|E`J6Qd*rmMQKTqs2xVzl`5Mlr16Eo6#iUa`9d{R^-)$E=C%XK5?
za6V29u8`ahK9uz(HJDt_EJe?6Sr4VgtRT}GERI~R0}F(=Z`<CYlh;!M)`AD7U>;G;
zd;+x3z45ZgQ}<PCcF!~93C%c`ef&IBbS~z&g^gZ9#xrCP$F2@r0jd!YJNwvH7cViw
zxsuF!Db?ptO(*+_8uj;PPSKX}m-ETO>y@>Y0<EX%LlbkqO-3EANZ$fo2)R-zxYm;v
zCZ7Y>QW%}?=C3su8(rFHvu)b)^Rdp~?6~%P+VB|FD>)7y3lF(sY&M#FqngMSNYdAT
zXR8|BY}a{g81@Y^o9axws;H?N{+cYi_>Qg^u1yZ#6Ri(_ATuCLz|O&8-+TW(ZoRT%
zN!>8ZWc$g2eK=isLT<h>gCjd>&IcRM;{LXc)c(}&{F9+!+)~r-X;Fn3rp+n|ddzs*
z6?3EQhT(|&dcGd=z<}4q<C9ah#VD8gx~|e4ZT4gzvzuTb{#&}qrFn-|cBeHV*Tgsb
zE{lx!>7fWP+$pBdXu5!!3ry=Do>;{WM9gkvJw7}S6{5%UTqxD>T`sWU)^wpFH}`|w
zrX3@)%$Ox9QWZ!rSHIhzj&DcZnEuc0JBe&6!w*r*$lLnI-<lILPx#r_RJH5c%|ANR
ze|X)W{{F@<JP492JYw~T6}!9G?x4A*8q*gXows8rhgo#vxU{suOpgb5%aPIMhXAvw
z1}EAW6Iflqd~CA5{}=QK=i#vgiDQk)UYnlEwM)cX4e<V`<(cWV+D&chi0#vvl~kTK
zKv~2Xwb92s<sp>9O5HZZ@xZ1Af!qhz^LYVk^9>>5&$h=@jpteKo2SX3lJxcTAhSGP
zk^5d7H(m+yBvC%%7|d5}1icB}K-qRav9+^N6LvVZf;~tkI>LLd7pF|_$Hs0Ys|}84
z<Q7}TvF{`p7>19?SRz-4WFv`iE40fJQ-j{$a4)kLQPIxTI+Oo~GbH)Gv-7Rki;j@#
z9I9qhl_klWorAsKF+xThm_D?@TjpYeV>lSS>J467p^wYEpsXA(cx8SJNOls))3tJ{
z^t(Exs6m?_paG*ys|CZkW#ohTmhWR#$8kYd%?hAoEqrB0F`MO+HZF5-L&X~2q}vft
zEu~u#ejaw`qJ!7R`9S`WHr;eiCnW7pfy6~wm?i9PAftyNjlwt|eqqnb!{>Udl|dc-
zQ?%<=4KiTq^{t~#0>WIH+|#wQvCna98B3B)GDNX7UP-s~@r-N3*WH2zOCO6V&W0To
zx}?VV`1n}z1zF@Y_3w>&YGGOtE~FLmSFQ(SLlJ;zPWb{rdSiIA)$y&s&e@oh;}?YZ
zfwZ{!vMNgp`L+1Nht*HeUvAsyC$AeTA{!WNq^|hBH@47JL3i;Tt03VEOw||MJRf%{
zUz|nCv%L;GIO^nkj3g$G*2H%qS~!;1yAUys$iJC>`&KVipfU3M7`)f4^_uP15>eAX
zKf9kP{&%|4Sl>6N{`rU^+Fu(YAJxNs6w{$@6!Jg*f(e+LRgVOB5E>n(#6p=*#4JKj
z;u#-)?KVmU6Q<S<d%iApiFjxRJD?XNeV*kTaNA%VG}9mJi_e}P4s@lKL^=!A&+?`4
z43`$iy`q)(7=VMTOdPOk6L}t-y{mS8F<reXO8*AQ2U!3#+RHrTsIi|`V$$s-+0W+v
z97KWdet3i5d>*|4@XEBN<a{unH@n}=<26d8BYp8Q+iuQ7?PJ?U<whKEo$he35SOw^
zTKk=y1YV*cyp_veInd0OH@5kaxk!p@g8xYc9i7SmY)JmcIl9I5MY5gEg%9Vge!2M;
zU!a<MLhuU9Ir-tYBf*}}3-jKDw!vlb2kY7D0G_MsA5$$(Qoodq#XoUX(RVj#LC?Cx
zJ7n*m%kg$DSfy#0S0l|C&8(dJlI`z6os6;ecl)k6jKB{8V-+c7NwAHXp3kH{zkQil
znlsueLFn7f5PXXKF_kC9E$idOx9(|&^LTp_PR}YQaY=Z-Me5hl*IZL;V-D-$*|6qn
zqx|7*g>(nJ@a43hFKV!4eOo5g3H!j}<xH$6qln@4Nu<1;NwX0{CaFqn(l*n6^}YrO
zbw)Qc_}fHyJMOLBf0UK)U4*YjI4^juLG%vqYcr+&bAO(oXqr~67M*B}BV+gPZSC(J
z6Ng0+%29?@77|7;d#7%~{mEBdQm>U1*S`)KuAGntqXfl&)VQv_NADGg$&2Bc)iCgU
zSev}K*Y~v(7rYa^raF7te#`ai5^@I~;)2#<82h8tO3_1IhOKF#vXo?b_C92I_c|0-
zwg9<KI`Fd%#zQKGtv7I_BJt@fhvme>;aXM7A7X~GB=2l>r<mI?^>8BeOXxr2app9k
z?|n0I`S7!=s`CMoGW5FV1ywNmWJ0s~NuHa)aI##!t2;1Qcyq|4Y`RsIVUUC!+APDB
z;<v;sc)aL!y!y(PZ`*z5zBm30CCQArAPqm@gF<ky%x(%DBQrM?nV_0b#zU9}wRV6B
zBUg^p0*d1}X=vCGF?C>>I1{#&$z;bfSG3Tj0&kX@!EHO~#f2cZ;SPX2q^as+cpAp`
zpR_Ly580vaw8|TLS4?U7VM`GEMDTy8BM1s|LAiLiWey&u@Z{aUP$X6afOc^wBA*?_
zc0wAEST+xU35G@@T3k@ciCA&{qzwagw+iCVU_tC)czy7AV9>dG>N2=#9j`TblhN^f
zWv!ORvC8&3{F;!Im>Rt1T?3Ji*dhn=X9+BmfNv9d+S5MYt}!e8=_bd$>h{!NbYn!T
z=YAt-OfH67`f=>h8RhJL<r@-aO)t2KSb$!z3fjcHzpiVcS(`U;y`Lw8;_GTP=+e^>
zGHLuO)+N*->k(C_6N*Y0`E>T&fo^I3b7Gn@Mks2xZ2nh!c1VP;ODTH7^Y(^vq=@XO
z4<l3nN7YLmfF#`EMRk8WV<u(@HrqRxyJ-BwO_@n?2L+Bnak{_Wwxwlh)G<{<Y(bLN
ztjli_hq?ls6!B<dXbsQkj*q84&sLWzL_)4qukKfggS}%>exBm{)?6lkdja$lM2zXM
zJXyf7v>ifPueKwr>v+?!v~A*QT)eOw-^f(>MG-oEh!%Dwa>c;{=7&jb9*s_Z+;6>|
zB0+4e09Ig8;vGgLT5%gbjLZ=*FNEWPmtev;b?F5e#}Gu_8c|DEESpbtc3xbn==hvt
zA)Raxf~PJ&KHi)~!;<>+G^hO*7-XNS6qWVZVs^$t-?ZuKfWkMr*{h1_@MrDJsM2h&
zq^9{9ym9@kxRt2I@|$=1I9>1Uy6#I*Jb_VAgr1DP&o;5Z)AAFZ-#y*xvmY*D1mB&o
z0R9Hk{rXNB8oEiP2CV1)i@f;i41r(g%>o{0bvA%%^kOEBSt+!vlM;m=D_I}BGss15
zkhe=<I-_e;-3}|aaCBty*$xLN*CNztkr|?G+l&<&gCAg~ml~a{pKiK5T~HlgtK`t}
zk#vJeC-S(e6CzIvd7$m>NmN{nG+lsJmMDgDFuFU*#-sUQRoVWPmjViFYrH7iFYNQe
z^MFQD>n?ZlRuFvXcB;BCTFr#DvK)*7g9akeEk&K`Pu?t-c7DgJ59ehtjxQQv+u~zC
zSgtCDF0U@#cILYTSr_uMnzxe}r`4kqyI!6oCTo5U9S<_ENC-TJ0s32kw}h;p&ewU*
zOkdXUq0i8j|EZBgV?=b_Fkx3$Xeyrlz4p7H*4OX%do}(?KY@FuwumB%e4Z%j|0%1Y
zMR<h95sc!YkVf@6v!h^oI7D!C>*Zv=N=ns0<bJBqvR-b-CgiepMTEQ!hXFt%5%LXd
zIC#jGD<42rXuVBUOXv)?gC>}^(<Cb1m+<2s_l|yx<&IM3{=h(?<S<o_U+2(+KeQDt
zGsyu0FJc;^jQKkFbAT~Q6%AXU{rd6gel5{#yWMH>!(1dDSAPn*hs_Zz9=~Tojb(1c
zpj=#_O-yzGyoM>mgo5HcL```Dm2ClMakb%i>kaU|d1xxG%fn2eDgg=sCxrgEK3#9j
zxcfyVA)9FbCj#eA)~>@z9>ZVq2dgENj^a}{>pN|1<_f~Rg-TJ<pO{^W&864c4jppm
zMe&Yka`r#luCuIObqgblrEACBVARwmCZ^g>P`e!7>>!?pqXCU#uv2oyP%!S~yu?Mg
z)%Pp_8eWHiMQ^XL4)hJ@8M-x=f;iqy&?`;nALi5FhuxnyxC!Ch$$p=zvSaNEOvmHp
zLU6_1-rV|LW3|BI{rpSE0iS#9+PFr;bcuXERFae(3cNXnyYgrKBm)w!o;dYTBx&gP
z9ioNU#MH3l!tq`%3+?ZEb_jO~Tk%d3i;nXaG?nU;M8%9fF{a}^hQ_ELDJXxSLD_k}
z)_;-dsm)g3mcJ9QuKZl6&925FOtE@MuI7rdqoH5tDp=U@hF{rw;GA(xqMf}iSaTKN
zx78P8x~;HPaJG!#dfsEQpH1Q6yM>=y(>u>K=j21^bkLJk5607j2<UG*-V?v3+_C4p
znXUw-%Y{pJKe~XImylC_eZ^hB@78cVrod^oES+mrH`DPOryiX9nYAFyq{#xTu8{mT
z-=-do4kPEgD^^4HQK$b~rPZ@RY8y<IAi&UZ{TS>Rcg{F8X~cy2skqTb2f#aF<pm~M
z=4&F)HZ&^_&%r6PFpb@c>#Tb#6p4Ml=h}TiU`RgJco*!S<~;?W%$euoRU_AgR;E^k
znY&C5z*K8_kZ3-N=h$uL8&tCsy3sHOLryqBD1nb+c5;i97ytpN$2FskInxcbou~xL
zza2y{0JdN!BZ<3br|W-YL5g6Ldnbv_pPv4PFo5V*O}lc)W1y9bYE%u6;jxO0@SFED
zwPv|GHwU$m>QC&~*KQm0mBy&%yu&C`T-LrMX6+gmugd0%rNG%8aZMdH8EiI5fgHr{
z2{M$3$d5?6WE)Ho<E@KjYAh;P`8XU(%F5!hAE3|2o|ggQuD^g?T2zWM=vDGQxYR}_
zlwU8)b-Uop20Efz(UhCGke<Z4Z!~mp$L1=cThU8hwXLU@ahSCNhq8STJG`7R=2z^m
zo6*7LT*L+J&2a#D47WPhY?6fMn>4HSYW>`pUFaB6jVz{BdAjvlqi&FR%iv8q39=>j
zARLUfq3?UDoPGJ98H7?KzQr<})bnme&W2*IldsQ=F?7-ro|%0010$+dpfrs%dRA5`
zQ6nhVuwfSYiR|Y<D2IyVuuh7jn*9^5nw@&faY;(166Z;;7C^Ylq9To&H581Xn;Ui#
z;J6T}hKK{o?{x@Ehc3wvyu>5YVn%q79&-?%ZMt$z!hEAMvqZ9r*+=4{)@YYNHXDTQ
zy0>fmorp1$W95rBHcd?U#9qZ{UmXS0@0{Lxl+@FxfgHO52?IsNxR$f~@Gr7^IPNob
zQcsJOHdapK;fZXes*J>;S{!Llb4`0XQ!lHlnTzdCO>j86MnnyJKgfT!7=C|>c<M8e
zL@J5Ag^RG&ZA+O>xf0(Ktx8oj`ZWCBMtMN=xF31r#qWtVgk%=B2)u=jYX58uGj8pD
zh9}US@^$*StWnr#@sqo5knWLbxmB{9f|U~Q8b2W@X76*NmHBzrl17(98Lz8WK|$Ii
zRt;Pc4nPGWf0f^5g#C2v^+cwHW<OlSng8<AjnGPY&Zy)|qTU2!Ckf*O8s$RJIKOMe
z@FC~*;ane_KUV~GcGE_7a8Z_zL^-;y5p)5AkP```6}NTLHakip1v~pEf@#;<wes2C
zc$dCC>zEbruR8Zrw+sD6CrOax<RT)NeNmvE%2$u1sSr>JtJVMKS04v9t;>;4`x^Zp
z)4C(-O&!lNZl^^vK;<;oi?hqvNIy#rUacmyAj8?T#GHe%Wa@yi?uV@BlQPpDZ3#Zh
zY2bvga5x2eR3z4d4rM5+=od$fq>4oYXqZ;>Q;fIftm@@pb8OZ{59I~k)=cm+E`khg
zrhKTNFBaNYr76WKs~rbW?%-u&bLhFE78blA$oPP`+Tx0c6{IJr?#gjmDym^oPg;SO
zqfiQ{Wn+e!hcx>WMV?DQjpY5!X5Sk&NW$tzArJ%m;vle13#7Op&o^2zAR4RX@|zet
zb@gds=<D*Z;kyqx`mA*w=7$V-pc+4)=td<=4|-iD>rBtz;*^i}(S9Icc4W8IcKB}l
z+=GI{@L8`BB~p0YmFZZqp(M{N1M^p=%ksW8RDlp+JUfv<eHWnR5ujZJJ@#+}%R#FZ
zqjjff5!_mVfVU%{Y8X240zem2(9;Yi9k^81>#;4@X~I_5bBuPtRi*c-p>1ou^4dyl
zy11N8J@_%B`S=k_te<c8GV%DU*F>XtMF{l>sAQX=${s#A!$aFy8}Goy;Xd}2=VcbN
zz4hl=cT)I3+0hY0--u4rNU8Wi%4Q<#N9q9$N2Q)vy-}kAxeiy$3+&0oK!#WPgsT(K
zFV@tSj%T1#EKMLWvS-H_?y;;^)%%5y8Zf?}B{NhQUf4esE@*B3cD?bAiNUOio2cMT
zZ}4%Lp?#~DC#V<B_5)#)_?~#62NoL5UIc)#2&%KKYQDv2>ev}K^LgX~AC3(jnxZ->
z64BJ;4gvN1sM=cgi#GnZFv@|BB}K>aRDoUW_J?)agSa*HJX8{<s$8Qu>$)P#3hqyp
zpFUCmW;V}$(q<Aq!BHJ-EX>0fyT19XCHFF8n3F(x`l_j)N(@EQXLT`GmVLRZpHu^v
zL%l!zUpn!u&p&ouW#vscR*t!t8dCfVDT3G`n;-ygA9DphpAi20ajb|SG{FUQtd-79
zbvdOb?l+E=rk;JL{RqUI03#pDK8+nPp+A9Lc5#Y2>M&0~lp=9r*ZD${-n6^*%Wsvu
zGSD+!OE}}9gbBJ0nu-BU@zYe24gVOhBiws7zTdTG=LeG-wR3KZm#g|!NfOCyVlvC~
zvC$<eh4sODO(s*8`e?5!fl~fS?Dt3G_~zi6+~VTJ{4#0^<N%ye8(-f?T7zKCj)6e=
zg>qM5^Z|#ls#pa>1CEtE!^6WNn2+r6C6vo>Pbi_%X6hKzx@l;R8u?hc$*Ht&{CYR)
zaC`&Il7fb*>lc+Ss|QQ8S8j%X9omiv-T?^*fl^bb`(OVbUtb+o)weVZ2udp5-I5~R
zhem0UPC>f6Te?*`1*N;YyOEae?l?5x=H8#cd*Azh&vX7*&)IvgJ$u&7tXY$<8@k`=
zgxO)ZV|)3j?Jl4?R7K0Vob815Paj*2{UU2q9Ws2yQl5%IwXX0rF<8s>0_nYo;Zai(
zd(e4WVfQg$W{l^^O)at;=M`gm+sPyvlDYH~!JSiJ?TS`cM1Rr~U%qlYy`=~j48zG-
z2qCW-=atLIhhdOp1(<cl)QhX|U6-njM9<Tb<mANe&a#y&&B>g*53`oXOq#fgZ@<oE
z04CRW>~1g1Z8SQK>4zqd-}!QgUX$AVLi`g1lVnaX9b{?!tj2baT!(&QGCH_DV?brM
zeOHGvx^R-7G!epEG){kFCSZ&t`|31%|5G`v&fd*35+N-Iyx1($OFVML<Ti}ypKxM$
zez=9v9v>yg)5R+G;<tZ+q3U{d65f?r{I=*Xop7tez`$CTFXkG{G{CxEteoi5Y3Nm0
zfyWW*AJC}T!c>3bF<8&+(AOjQRk<byIa0~JnL#q?_VobIs-e2;;*_Xlh6i`D+l59U
zn`^sBGb<r)^^VhTW^Mwi6Jy_YHE^nlD$jf2fMy^_RRqLHWQMA9*m`C?WBr~=m*PXA
z-r2cnfqM}Uz2S90w&0do<Z(06=ol(Dcw0W#^^4T_O=zFr*gqyI5IU+Qf+y*kA{BgQ
zgb?LJz=oF}^3YWStojVx8#<5Sz49JEQ1E4)JxNAsl>;aE<lT9%E@Pl0l?okGi0Cw%
zS=(5zbRC=B^S2|@3mb>ah>Yc!KZ3_<-l&n7t6<(#K@++2yb!u_U=Ci4&z4FUmknmz
zIx;ANb^PdAB&XhCyZvXFZl}^@;yGGpIGdutsI%n0Ca3cGjgD)hBj=y;cS0h1zE-rh
z*G%b5tG|qv-ck|VT%LH>a9<9}Grpf!T~6koCCB{IRs)0e{cM|~0`vRFYrCGGt%tuy
z!$aC%*(rP{RTTcnaj>*KVs#MFz~MUcBO}zOeXG}|(9JX3qLHz{pAu)AWWRwQE&s!}
z5KAFuieL#Q456$AVfso}UJnw!J8MWTdvW%b0A(lq!h(F$tE;gKYU-bYTo^6qYV|{o
zdRd(fH9ff8*2r_oeDW0|BC%s|xx%qlgIc%2Xl)b|tc?xg!t8;f&}n=1qnG1pM9~W#
zr467M>9`yQCYF4PIN$j@!#46Qh935SPuM6|<Z%~cWkO;|o!1sv!D@vX9P1&=!|w-H
z-xtIGjCRRW%TTUXEHjES&2xx~Q4*wIsiSq1l6rSS2c3JB$2W!JxSVwNBVQe_#(p!T
z`naKaVxGQLWIb^OrS$wP^Viwwet4K%_@^s}PE85Bmb@ss^4oN%{KaQ3OHmW^%;xCa
z0o)ZA^R5ORXWIzwpZrpfV=2|gj>4D?leScc$9cEEah}gp9b2wcMYfP@&NSpRP0T3f
ze+b1kY#S0dA1sw`XPtxy!Dm9BZiAUWdBxw}#5X&fucpLoQBWPZ-18hKWFSgatF%)!
z4VH1_vwK5gC4?A0o9Y_tm~u!CrirAU4vb{sO^Q1kRxoBEXpoSBDf8{S_oK(Em1Q&&
znNwDcp}P~1+w7*_w=1f!zHR%|*j;O{nU)sb$Xk6U#BvVF(IYQ6XFW{<OC|Mu^iid-
zX0lT130H+aiTy|`qq6(Ka+>kQQkNK3n!XH1iTqOkA+DE0P&xLSG(EVDDJ}ZW1+3{F
z%ZrVd98N$FI+QB!*^<(h@pr`5aH9>&S-N>hJ?dh-{c-4FZsyW_rhlulrG-GyLx@a$
zv8j5{iiV|$1!HXcij2eiam?grw<m|)iCG-46+t#ffoOeDC)*Z-Z8jtN=?3d(lO;Cn
zVK{Ec?so}VWSRcG@x3H3UbS`t{+)0zzi}HE&Ze12#0Wg2TNyHVJYbs$j!K&AIe)%#
zum|5Mm;G*b6YF}4XF*bFk<O`TDQtf51Xhwm23<gAciLU2a_Q?=SSfb+(!96SlJ1AR
zRw~Q59lq-~AJpg2m;I&*TT=O^lxwYCINNOpAh@3*00p%JUT$ctYqpcGr`XgKFTGVz
z-{(2Lyo-pM!{vq#vRZ>%w!ENNCrz&pa3J5;M!}r9xS~B+;7@MPW5kSaUnwbhKjS{K
zN?6I)8N!cPy3Wu>w11VE%`DWWJM|W9)1acSjxyFox<F%v#p)Q*i`ox~L@bD~%}TFC
zw~me#JWc81WfQ`x1kDap8yq5njnRBFKZdou=pofn&d%?tIm;b1ma&V?n#V{<=<*XK
zJcPjQjed~j%D{_TvT<8goJcME7&^(j&t53-hGWkzPn)ace3&kNZJuk7^YGkE-gKaT
zAE-s5S#Vn49;?!V*2H}t=t!6Drbc(`MDG`PF6^^5U!~`7rIm4IT)%#FEYr$Q)kq>(
z<O^8IU(UAgst+ey>+-%oHl+Sm;~yx|>~XseW2K-NWTvCC7J?S$sTsp!Sg#1HOR9Px
zMSqp2TnY2+@+@l%p<KFD*T73zB3LLY;K!c;*8J_lYHW|I&d=3hH%J;Kzl-%-Uw*Pi
zmF8OHkk|ATWS-Lqo7Yq_KclzCP<B5#L*2PK*8Co<RymRB7Qnmo+-i=Uf1y>Tk!^kC
z%$qdP<w)+lwSQu1<r^ijg8|>3yCeMN*+xJ=_mP$C{NDL&c}y(l#3h?~w{P;dWa7}>
zuewIZ73wnIlh^$bi9G#pkKgL|UE|B}o<W4A5Sz^$Q=8WxlQ6%U73s@PYrrsJi?cR{
zGiokD;@E9_Te{D!WxQz6PzB*~R9z`c%s{~UQE5zjqlvKUq9%B#(ZWK0pOaMBZOhl;
zjmILYu7G)0(_B|S<6F1Ux2tdc?xe18Ud_n;szro^&4SJPa2|#`gi>076LjZZgge3p
z4@SMf>-TMg7{#8YhCY$;gN3yDL$MIvY1_O?^%7JQ02;&4s0*OPxwmIEF?zXGCfu64
z-C!0+s+O5Y{-E{m-k&U66}n}{zrsI~of7!RtOctD#iXDx=5qStbAguTA)foWG=<CG
zlDGiNmcwn>5btN|QfAn9aOor>)Fy91DK7Ij=Z{3BB)Aw`mQ@voFvQ05x_yhu-F4fn
z`PHZlMtpyi@b<&LW+kpLxL*P@#U$q!U!c+irS&u|f<{ycNHtJnN${t~JpN}pL!u7|
z9WSX#syEg1W+@A5;q7+?Bda#$BzOt9ZIRj8%w}vT=NUiiF)=nm;IWy$y><yq$i!9|
zovLOYRE`tJ6!7*-DnZW2{4xro%x-m|Kx`xbLDidZw$>@HG3(cha>^gk@3{2snsx>o
z+fs<)ybTCz#g3}g$9JaWb?ENU10={W5VP@;&Pc^S8RA3P?~NG`Di&jZO=;{^zA#Lg
zdzr+gA4psA5j@k&E&-nCkxHo0o<1Y^?S*ZNx-GYbE9sMO(ixUCS!KjLdKnDg$<mOT
z3Nc$-y=FVIman5nt)dR6XGQ-f;@DlDsXaPh%@+?*P0Qq6k78lWY`bv~M*Gg32J9*j
z#R0p!;<`&?lNMdFlQ?OkSonj}+B_SUQE5P>ydvG^M{}|XE9uJiNNo(KLlUoirH<3Z
zg|)gZOQ&zfCR6&})d~JYgQ3gz>YvnT{hF$L*zQueYE4u0Pm+9Z+v8(uB0fxLJDc6x
z@ft49xbZ!@HO}oX8$(Zv#&Rd(E?w4anF}Cxu@l{ly3H_lHt@5!nRgqRHvk=SHY3wd
zJ(tUcj%3rR+~`=p*jb(u@lS%uuP`kiYo##U!h*UTM>}boRoooKq_28mKy!6tVWu^f
z@9b{l>Bn(&=5r_N3b!=qs*P4?N4^&ERhB#Pvp}xvt|WIs^^~DH=T@D`kgn-=g_-`#
zTJgkUX!659XKVBYR#_Zk`NyV_H~qg~n8_3_uj(LWISvv|RKU8jXoOcwT9Fv}5Cqr2
z&qOAegmK%vBE}ibk;zflGQBGcso_*>bWacAeubkmOj9d?WjbFh6c$C^`sYpLvf`a)
zR<590BVZQ2g59{0a}tTF=KoV8FRVH35IojE(<)ib6akV)9@>t$?Kh@KOG(z4{$ZvX
zq^^XzVj-BgzONu(*2@LBGh2X0=HId08xgy$_rKC9qI_H7`>pyh1jt4$e}j#e>A+WD
zR*&^I8clCk;+OB5`=q<v@ODI9-_2LN;Le`3IsP~oY6qNedwtm`dv2u#Yg0B8E7u3~
zm4#W%?I-;zbXjHwNCnPrI^H?Hk2#K{;ehk>vxU85FtU?;AIgLCRG1mE)K=c)CPPs;
zDZmxW^LoN4_du(%BmR2^D#W|hEkaSXVyM)5bI6D;&ycHc#wZX90TALu_?TU!v@jt1
z0o*f{3BerZ{%V3O-^-&c?S;T@M%*9W6j+I7m^WjreakY9rkME_cQ<z=3WN~3UClM$
zttu3>ZU*XR3Q|BCJlpSW#`6ra-M10h8cXRaUxk2(*VyLV$H(3SecEY=sOe*!8#St6
zvE~m9>cC4v9R#VR1=>B_$No$9sZ8g=O4)gQ?T0an^OI0faOgx?d>$7!?JzX^cv@O2
z2?g=!wf5_3{(IA|Z2b=N9mgXgpbKS`h@kPDoKp%1Y4|^|o;x;zgJawfT=T92rl(PM
zYpfn5_$c=CDve}QrAEg_UziIU&H6_o_>6$knKkN6bNd5)lix3wpnjP+?WQwNo|z>!
z+Rk$%Ot@c~3~I%j^~QW-o{KI`so1MIsyb4Il=X(a{>Tv<OT9!?e4Qa^rS@mMN9JC7
z7D1ngk%&T&n+M1XL;Msx(uM(9t*r?Zyg4H!yDH#NtDRAq!b9v|8`ugwMxTk9H}wsI
z=;CGI=9!jofAr{4LDoP74>+x7JvhmMSdBXhh`ZuX;jM_dXOqUARTHHx?oIUU5Ld__
zv0m&x6J5=lW|MNsoUSR_z}wNu%iumXRJ`g_INo4v9lPvmx^;WAx>|WSRqi1i6SiCI
zc<~%@a{>tqi1wBXJnxK}@K77LJwNlg0^)ntdj~4VwJUFm&yqa)b;EJgVk{VUW=!f-
z@!sm~cr7NxT`>e30u_&&ckt8^&c9MN`i&z8RCi2771-#k|F9=;CQMjLX7AspONT3{
za&sHzSic_6nQ+sds<HJ_Zcpf4lR}G;ePwKgVy~F6{l$EmX~UixW*yt@YPGj5#%sS?
zPsNarTT@MR#PphP(a%hd%22C@URNH7vylhioK9C*&`Vv6>rPL&HV7=2CFZxT*{uQf
zD0*ryO@G_fmHgPmJ!u_HpFaA%W}28^SzurG($5Y0yGml86cDUSm(~$<PBqupXhL|l
zx{L|O!T?zgvBGt>v{E&qJ9wLKJY%m6*e^iBD3&ui9Bi{fqu3Mm-i=JPAL@@s%hwCT
zBEpUdCB+@0k{+V`44t9OA!SF{+b|!zM!+CG##05`WR7x56&*+hdkMvBT#is7P1j&$
zKVM&AQnD8u+-%iJ7)avtLMON?WlCOMXQn!fJ1H-(Pt_@D*Rs|Kc4LNPeY$#gIxR_T
z-m!L{aTdqG_c<FszX@8FN%Lr8Iv?7~idroj#)otC2+0PkhO35C!x{@hr9=nm`HNGU
z<vqU+6%xTl_xi(rZ;RpV(%z)#XfVyPhMV}#McDAvYY)l9<-;U6CHHydiEEDD>a|(+
z6mSD`W2ub&v{vIy`F>$?&C>PQr|D6decOG$iJtYaBLBQnjeX}tit62P&!Z105e=wI
z3QYz!PHd*o{O=Y#;i|^7G}bGV8+o)|VZWvY_~8vS)I2-%iw#ikiwSs}2k{gEvOxy=
zNN`e@{;LYZKT&I585F65+h_5W8D{?F?A(wV*ZY&jK2Dr?6OQZNh0LM%M%G9n(4Y<P
zJTvp3gqX09b&r)kMln=e=$(1_t7;i&ble+VMnEQF?2F8Gagg4h>d8T9T#K9*JFI`L
zQl9*PC*mT#h2t@X9Jq~C+x_Q&R*wI~PnZd{+H(u6>)lL^pNIvRYk&&_)&Qzu0y6n-
zktbotg#$U2gA89k(Ct3_(~FwCsqk8kV-x@F-}ym8aIz4ivO0Y-e-jVxvk|nR=noSI
zDy8Ocp1<;jQ4R5AIGcv?xSG;Q`qT=17QJAT6M<pm%Obg_P(@Q956Q>4Prr(#UL)I<
zHlGqGwtKv8s18+Ju(egiX*_dwPqcp{jUzz8sD^P@4U`sREDN(iK<k7ZHjlBnv=_v9
zPZH<<&g12WQlz!<>$~oVhS)B)!D@j4#GDh<o)Z;EF5K*{<&Mq9@6Ut(P&V-nTonxH
z6aUMXPr}H=iR0n0kNL{Yu1CWH^~LeIpFr{#q%S01&(5v)X|^=Hz{x&hP0(V=veSs2
zeEzsXXa6d60=$4U0NBdfxWB;0%Rg-nyG4xb3wD#^SmAmJLHS5Pe`k&WO`>MqU^Lo?
zOe}1@JL~EFS0c{82?|Jvw1vc6L+jdmOa}n9!U|`Z88YYn(M3R>ee=0b>d7iSWHb+1
zL*r|K2@>{hN5ib_%iOWF!)EN1R=cnT6BZ}eky|<o{=qirCrT<pk$8e!*x%21Dg^$2
zW8xgxAsFS4QtU4tYQ2G=P>iqs+{^bwCVQ8{*#*F8^>9Ld93Wpp<IgV>BnX^NN6puM
zY~tPjlDcJaC<#D@>EH44FJvpIsW7QsNoo)M0|96R{Xh~t;l_b%LeDw41^>(Bk;23a
zG1s1O1;fWmph#PEOS*^mp5AjTAxQFx;meXjc95*dl0dQbN(vdtpab>c=KpK(Nd)kI
z6vZ>xKP0PpLVHsoqq&Y}b-g2$W9r8z|6k+-B1eTi|HY^69W2P(9T^bxPkAh0jRQ3A
zor?Q2HY<<s8#0BCzjjJ6YO2MUJw}@~)zuezy!Zs4p`fO#ZFe7<5GI-Db+oWm>q$eY
z_NsI?9B0+-+Qpy#VUGY;K)56CBa?dMa0>oq8Q{g*P)L@?7_DmauzbiIERPrdN-}ZE
zp`Titcn78=UvX?q9{^aC@Wk|NaoC%*d3<E@6_nIvmMQ<`h`0!;t#YWa|JWldKae>D
z+^Cr6Am$cXo9*96y^yIukg@?X$hA+hnI2yC9|Jjw)M~n87A0;u?nr!&zc>cT-?#J0
zhAVadJ1HR3{;!|c4cU--v{QU;(oK5PhsXJ48SicXC2P*_nEpqQ(FW?9%F^c9k>@eA
zw*EcI|BZJ)qFA~{I+(IScsab@=M`gxM8kIyG`l~J8Y4~-{R2t>F;p1@y1=*YACGte
z-9VFGbj$9hY+VrK&v#vRGrjoxO;1n;-2VmL>rc3#V2;bqL;Xq6F)HxUPEMsy+Cmb0
zWe_*L(3BF0vU^a&p1chj`M}+9p?>{5D#Ag~F=Tr9=3wKE%e%h}H1r*M1}fFEF4yQi
zUEY&W5Yi}+?JW2L&n%>|OFYRu?5_drsa$AD@?3VQ(=Ck@9Xn@b`_So~OW9XTG(#Ns
za5J&;{rA(oUVBhEh`j=chu-odnH(ufJu6qU>X_WEw<jZA`{wgs7S9WoYT=x4e-hDn
z$faKhV*kUOOPDbfCCAa1Kl&VJoTJz!{Qs;avH(!#FDSKpMfMTERCg%)<B_6hqcN%0
zn>T$UF9t<#%3`0iEqc6_I0SA8(GpvRu=c@LFeH1=J`^oTFrC+r1OtNlB-liMUhGge
zdiSNft~lZ8rGLf%QC*oe&V}?nVObOzfO|;YgE&EtL~4l|F!w@N@mvT?dtlk?UPJiL
zAMyb7PUX!)=g<La^F)8*<K>~Rz^W0??Uk*N7nwcIXvhbJ;yiEQhw($#q`}9B{=d=f
z1`3B~;Z;GJfFkneiU=sczWMUC=L3ZaW8UlUc^4~&Pmsd}hutb#o{x9o@)C2I@hw-j
z)#xKA4^Sg3LZ3&?8Ppi_!yk4xY5axC%a9a=r9I3tjsMUM0RoQrYYO6+JK}~#nJr|;
z$kQG9@3;l1eq8O~(F_LjHWoxy9l6B719DDQsr<(`#Va}SjgwH`hs-5IdtkF1-|3nn
ze!@tg5oFj-Dmy75@ACh~7H!C~k-d;`8g&R0<ycI89LNvwW|4z{z$ngLe3rknflg2l
z-1{(8@QuUs?Ik~l#-=~K`jKe80svaAml0}QXQ%e?c`L?a_wu2KJu%|F@)1^>`34`l
z_93Ygz#KB27i|4L^Q+B&&0Lfi8~zxK^<)7?VOdUG8fZNtetGv{evoV_9wdQ@Ncsl|
zuP#ym;7HaKe5Ahs0}@w=_^ZbN=FFsycdz0rG0I0R;)#r5L4fQ8J9g^JO4S~{P@(BE
z6=3a?d|cTfD1fJoAva9FJ_4m01|q*>p{pw1MPg9vl|oT_+)|&&-UG^oTZZ{_txW<}
zF1C8Sb;3u$zPtb$+qUQ?PfGknIPjcT4eSAlhK6nIlVUCpa4bq`^XDI*yQnWPGSn>=
zfgdiAFOY&Dk;9>%PIN$}O$fcWKGJkR#4GkdnokCi5+DrjtL#6A;Ga!e>XR+OS<PQ|
z>57*BnHBjh@XhdX+1g@H&~FX5vu;zf;1&D4PVI1Rdf&je8SKURaKL@M6F58hfj~ck
z_bWa2*TA^^3v*6&;JRb~SxsRi%AJkUdv*E#hirZSmg?7^{2!ksK7xgIm7Y)*Ivw$}
z_`dJ1%i8b!c=az^0RP0t0<VzZoj=nx&YTD{T52eDe#C$wC7@QYq8YM1X;48v^aZ-l
z2gKK6BG{4_|G1V9vy*y*K=g9LAz_a)I6(hiJvrX7*?B;>oH%if@Y`F_?e$I%IY)fU
zu7@j+17u3*livD9#&ZGNd4;@!mN1r1ePjh@pl<bFvipMXbsn*e!u{|1mj6Zv0AJd+
zgZZs!?S$56G*p8zU_yE!?ZUxsLZMTwUP)-Rhq^EK{O0wH!V+SBx!e#@egC$0QQXG#
zauCnE7@gjC;b)P=KfnNL@V$g2DVsqr(tCm*X(;FUOqnuLIu>o^Q3&D585<7r1!7qZ
z4WFPK<By7pKi*fE7@rB+fr@pm*rex{mUSXyk;A`y;gCgMf#?KEdpsd?SUspP3Oay)
zc<oog3>cP!+$33-aer&j1LzeD1iVGQzfFr6A5jE?3VjbsnH5Q$$(F+@ev29a4MlVE
z`Zc|niU>xIi80R{WL}q88UT>*(fib&c~FOkR^n39!qy)I$q`fTBi8=!pDaY1&l5uV
zXMKrH;XVdzWE#rENt}~WHt0Nyz4*WsaU)<6r3^<y#~@Pu-7G1Z4%6H8{iKd|=YOT@
zf6tVb2mu3<bBC}zfB2eVQDVW}#n?|{glfC7h6xs7G0>z5pt#tR*E9^w(G7X!DIl^r
z+J>f+U(H=^!pI*r<&0*&l$#|9qR0|khWw8somVvF0&vcnM9fi&pI6%3XB_y5`GzDb
zBlZbCRqr97=Y!e#OHBY-u~0#}?Tig|>h(`G-k8!h6<v$ePTYY@NiYGO0~Q0yxIR<1
zjo<h{Y|su#abfw7O}*MDSwTV4r6nB=B~Uf;M<t~MB|QZUd#tE5jRf@U-tm>Z|Fs#@
zzi+Zi*aKjbxIMZGW{!f9gw1(<Up4rj#qh$s*Jp!eAi1B28uB3y=#zIEH%pWS`|K~x
z#s#71-=)@MbX46~p9!?{TUlAH{W_#M8#%6j56y?mW<KM2eeK$2l6>xHyAcs+zx!KC
z73d}LM?Q=#|7$<r`~$oGmjUq%tSkh&IdjMDf9`dl?`YJovymq>SP6r9X>J3t<OY*@
z+o@@2*jk9n5kAVxhgO(P|4_(Pj6FS+?7O=(DI4r+Lc4QAY^+^nyFROACu3qlDQ=OU
z4WyuICu8!``j&ouuypW$k_j;#+(Ea#vNRs||2mxxze~-@d9H^MRo=$$<m7ZdE5#0^
zlK$c_JkVaAGnuY1i+#K5L<Ui_u_R%2$~v(aI-$i1l`0b4Af}>%^Yz;|UPbTsy)>^O
zf(BZH(*NtebH5s1MfXcFDMRw&=~66^$~Imx_Gg-VVFT!Ei2+pyc#JN|giNQTm;(`G
z+Q(~B)HFcBL&iq7O-dQlkgDq-F+DvBASda~YFwt(4bsF??#28f(cN_|7Ic1LTFLt_
zLaa-ol4ej$52Eeg17QqEH_g<!_J299{>_cVl5hvv`mxgZwNG)fAVFM}X=~o^Y4Pd)
zkpBe|65~KYQQ>OWNZl0w@^m|Vbo8U{7!?Ht%)7vM0imI+ODQp$u8<R24j76B>i*`l
zHH)E2TK2W@(@IG}el$5bXCjsliub=?oVp5!fAGrbWtDfdK@;I4pdjS?{RaxQ^zpC1
z9972Sg^RNBG0>OL<fd~fy?)Y!?j{Q+Woyg$_=7;W>aEje`?}REYh#BD?Rc7Qr?k#y
zCX_|pX~9p5^o)*LK0Bt4r)USp$b!(`SM@Rk1TRaxiA%?Zk-t6CZ>q?>Ui6W_a)YkO
z>Mt(=rMRJ>ZubwaJJ|$|H5J&Lax)<J6>SG)STsDH`Vk$(iThv!QVlFZ!PNz12W?%?
zTufFaL<Hdi14(b41lstOa1UkH2a@DeRlWQA=p^H9y{!l`NJ$K`4&@t}lm1i9?w4$`
z>fM{Pbx5-hDRn5ga@*&D1lOS@j(yp)2aXuFMkNOSNIT>+XhTTqoy>@5PbBaiwBV+{
z3H>mZOhPi!T_QGM5JBdHKAEa$T%W#`K0ZHptOE~B6ZZ1c+-7HGf!@7?TXW@8;{%@)
zR233;Sx}1p2fu!Sh4h$zerDI7aw@xzI_Glr-ulU!wuA%nZ;{<#hv{)cjQ~YJpJOwM
z%l3&vEeaC{ps5iZ<(d>0OwATKZo=Dc{vLz%Ky4?LH8*G2s|K9(?d=yt<*Xzt{87aZ
zV*KBOekoAnv-2y8Cik<}TAKa(o4l{>k84Ft4%=4ijM9cS8nMB^E%4;5VyO*{dyzfm
zWtVaIKH-zd#w2bystGB;hsd-`iB*%zWP69)*iQC^n64)Z8XBRIWMc7kTW7S2Jw|m~
zF3zW06zw-!%w_J+9|_=Je2h$*ic3)MHV<C>19v&AF`2}_knA8hR9<P=0hsoJp>!W~
zwyFEAzH?Uob9hYplY?d!$-*7G>8)-8?)z_*#<*FtLCiJw#`59urvSULutApZpkd*W
zEfHcI?YR8TU$5MwAg3heBWeDYq3Fp%E}j_VF-jlXpniB;2oGn44uNCn`Z)Q$pphkA
zXmA62U=dZN7wp3qI3&;l0DAWm{z(DMSwoaPbN?K_K+0%9@KuX5B2a(wk>NavplYxS
z2EFQh?v(d=P%75PVXOE<PQzjGNc@GMNZvK6E?L=2i*QRXhB4E}nvGqPlehgyE9s%F
zO`d0Ebvc}E@$H(f9{Fi>HIRDM-Q7J|VTL!Jr>S?jm>_nQaVn;pC8v2=f+aDF_(n_9
zCij9MYny(#i-_8S<;bFdDZ$BJI@U~ieTa!Y+02E<kT0RrK@ChGFmUvYYmh*}>LCHw
z6B-e+-l7bgJuv+(^?+ml(>11{WvIK!rzgfPAXy9EQ}7e!<cr58G-QJcQ~0BAGU6gt
z{4RcM-Oi<7t$ysv5NfM`5D}m^Br@%Gk}d0Ao-FX|f^mnJ!sn6Xitg{<)AE!XYXIr{
z8*}L|o+IIYVM-TUT<{V5kyfXUL3ef3t*EY!&li6Isp)(wwTzmVlhZRIwp%$)fb|R0
zbF@DGTa1SGA%v~zXndnvtQ3QX37w{%>k)U(nm!uJ(6ZWkQ(tLgce#xYe>u^B*}U64
zON#sSnQL106GJ8vsrLTsoE3MiN>-NhY`<!Y!v?3rIUC#8+TLU`S!RB^DMFznSAX?u
z6k+0woE&G1kXTuVS+WCZ67RKWp(n?~37=wBnNDMo(RV$3pG)H;H$4^3Wrmc$>C_#b
zuT51JM#J?bH+1)ooi*6bexM~v7IXhP|9!Y_&vBOBiu7$33cJ7&!=Cp^ITnUO6e)U^
zu)r<D$$o-Q-pgGnyc+5r%LQoLhLc|{;TiB1NEkF#m?a506yvr0(6;V77axI=^mTPS
zoZy^aG`tK;LltIfPUTDr+{bKX`Dwg*)bzOrWxwpQO$x11ZobFFytDHfG}_ftRgJ$=
zE#1FNb2FTv#DF^-Hh>hrFzcE1Ix2Zf_VoiM?gR<hvwZmvNVHVLbuEHB3^Ting%_+F
z<?QJiTz|@q6>|FumULG3X%4<;=M)HTE1C^uySXTRYGB8KT(7P$GGL%lz@PX?LWvo-
zJ2K40>Fc4D5X7|okBaYQNJ0#bwmuHnI)dL(E=4f`3f6p$4_f(7P97LM?}!4<b>vsv
z<JZv(rDc<zs8*kL-p3_7ED7ega+^Qg3}mJw7)PLJd~MP*&8>Z9)LaWDa54)5XIgOP
zk4Ck|=``{?#pGKI%K4;lZPWHY+9SIt7Ak;DUS0xr#7J(<r*`MGL{G4eLt7K<eT3vC
zV&soQxJj6`8y80$br09+qO0a8{elci?R8z5cW`_OH=O$JCvb!=C;OWHny%eZ96;I^
z$KIrFMC6Z_R~Vt2&m0O(PxpTI2;Es*JyRrG;^SRA`8Do}`k93I_3P}pBL=zO4W=~e
z?<AyyxDLbLGuXxblysMKThe`{+wI2+x>Y3B#4fl%B;vba4dee@221B#3VXGK&(CqH
zaDCG~?KR-zwe=pW3;K2GH8am$;oV}|GNn_`=uSRU@LNU?HiSEeiE0pd_^TErPdTeO
z$Cl&ucF*>i6m%tSl4nwBNe_J88xzWcOULI$#@UI^G=1NOls(W+@uQcaH&v<*hRCd@
z83)>$_BfMuJIdPGAK4xDt7pA`cC^c__o<pJ1u1bo(QHa;CAae+9!HgRtZk?M!nNch
zS9lFk05+i?-0VAl3(Es?5g!@S%^X96q$yx_81h3pf*e}tIA5Xy0_pVe@tZOke)6tD
zrYI+ka234Y1k)Xt1k=Svy_mMUGjN;)+%{I#B*+PG3X@XCOvaazU5J{32l?sq^_Ii9
z_uGqp_(W0{lml5eVM_CkScCjv^bP_hlso4Yfe>8QlIA5M0@1|lmP#pAASElxF$@v|
zGF$f7dlA@E=uBCucK)qPTKaPLMOof4Kdq80@>yEaBxn>_4Nhys0eqX-fb1MOdUe0E
zEwhf5m0u`W_)dr&-~>O%;;ogMikdINQ98Rumh<kKdOJG3Ulw01*L(B}>!|bOnB*Kz
z#O>=^h@h#aG1V_5B-O_7-(V}%pOc$&?xEw`tzGPi6m?wnQu_y2@9k6n2@U>ij>UIF
z<m$RiH1x~OZykTt^l>)<$wIGm2=0F}UYRS=zR~{}6&+|tRQ&sOn%!NqoBTHaFok2-
z;lOe|R+e^bo7kv!%NNetzcyeJ$tHRT<Gjuz5}ptCp^x@~v=Gm^#Z4ewYJq>8TLybC
z?h_1lf~bV0$4<;-lftw4XDCHW;STHWVRtT@?^gJ^kv7fR`o9&x_WDdeL!udyb<n~S
z(YBrOxD8XloA}`YPL8#k-H(_h2@dXk0e=qBJAI*5?~EkPx65-~XUmuDdW4f`|EIfS
zRjEXIeE5ygZ(((()z#RWsr9Noc8@j^fBX=q<A#pOVx3PNHxZ2_8t){LV|4Nrpg-0W
z*5OkjaV~|Ni{(8pH;bCV_BR%)A;NXqJ(ZgwbJddbD}DQx>C*{EVFTxSN6<Sz@Fs#A
z419y$=x^D^9rHE4-s`K8@Q|*qz2j1VyPYOAWj$&6;=TB#c#tY@w@Az2Ti%a*olw%I
zKcl?8vN+%I-?y3@?qtouJ^@{}mprIZpFm9kD#DYD^RM99OhrVj;Fj7%3VT-_Qg0`Y
zk($U|*5LpXCUREuP|z#De~2k?=JyY>NrRehrzAtDq5o&6DHar2DR`j~WbxlxdKK~}
zuTIspjbvZVe5;VpL&#UHgpWZY3|z$<|0JfFoGnW9lDP~KlJ*TX9UXcv|0~?X!M<?)
zz@hcGwmY#fw70`^6qJ;ty!8YF95*bk=X1T-Tsrs+)l1Lw=8J}}TO2&rn3zZicmMn(
z)ufm1wnE<dp?#b|Nrj6NiBVC8*p6vBmdpjkprVPfq$A){Bc6*Q@!sCu%_XblwG<e9
zq$H}Rf~&P#P?}cqp(hA|CQug$Ef`Z+$}pRS59!;~YvbQy7@VIWFjSAiXU7%I=8(L7
zxf8kV4VP$u^`hayI5{fQM6W+pZbjSUfJLg<#_v2x?eOh11}UOdK`&y}rw=prwdljm
zfUo%81Js`BN${wUd##Zp|BxvKoKgKwpIKDZ^dYOPJiHCtagy5q3^Muned_tTZ+VpZ
zW8+Wux6KMEi!!F7wC8BCyjM1L=Pe_SmvQTFtXhhbk4(l3+H(u*1J{#1;3T3M&^`r9
z;Ip}&zu~!_a4FWAVs~8Mb$A9Z#e*?c97!AuwF#tv`6|5yYzk5u3|`?9$Upx)n~)Hu
zH7D_w;P~!6ZX{=X(RpO6wh@G3uGjrKKt`JFb#Za=kW#9R1ikeXPeY1VkD+T~tu%%y
zM$cPmNi?;z;?|W+<cQu9jE(bwxW*goI9eoozS9vcK7+)8!slS43^n}}iwDvpA3}zz
zWit~px@ADQ3wRdn#*T@U-9lTq9Y)@@pCzDwZ0yPXcr$P&n_*}Y%o5vqQtvbZgoZkl
zse)2PjHRu7n>M>WE7ir}oNG^@B4z1XO_eWyg;-}dYf)^rF8#T}BD{~yEOfG!K~{|M
zA{wu{gprZ4v$wDzP^c3>6fG=eW3%sS-y=X?nsd0c5Ko5hl!c*wg_JyCI^Sx!V`<C8
zyeSkYIA=4+JFSd(WWd{z>kYyEC%o*t@K17z)RLS($|Z8ea#EpODb`MD@>bqKzNl?>
zvF>lNr2?8GVj}`V*=NH(7ytg*3{L#*G&R4V7Biln7Rg>vFSq6uPJR}%efu3@Tp*eE
zm755NjW4TWHDc;6oiYpa(U?RG1-CO-@{EET0XcVE@6`g~XrNy_Ar+GO1APf|L4rrv
zj>TDiclI1U^`r=IS*v?0h<Xf%o*+hceqcr^LKsLmvOa9xQs8i&6i4jZG*YcJ>L0~m
zTNY|Mnr|S(vS_$P0S;f!fz#O3%H`(zs_3;%dtqVwYK%t6_wVR+th;9FcB>d0)0K>2
zgdXI-e}7m#hUGatPoJ#Q3r2ysU>RPR1**Q1Q*<OK`5=f{L296P?+uXv{nSX4J>z^N
zyD)<_5&MOk=80M%q^6H+@=Bn3+q{*`1sY(tzYfvX;*~HzBO)8vnu(Xvm>{70TMNJd
z{js`<c&a9p$h5uAU>Fa|-Kf3#u;+A~>aL+m3_>yJ1F_Oe`JrN!+%(xxSU_^oNSysW
zl#+Tvc$i~Be(NH6vKJjdpLoUa5d^g@@G=Z08?>_OGf1*6&Ri9pO?>^MYo+?5D7gRj
z$T(3kTWq(koqs8@an?`e6;GJ1KM`HDhH(f6N`LFnTj-q`GnB)ZMFhOo&W>D1%i+QO
zXBHMUgwI~Qd^1f@!nM%gLe!basf7(0Aqo_3i7hJ!irTCMEb1p%&<lZP(>JTv(60;=
zYpzu5>{&H0S9E`N>4ey&>$?~oZyzooE`bnNt)FYz9BpnSM=A8G#x$NKu2#=pL+^0b
z>w+1s?Y2xDKabl^Fz)wCM9x`I&+*-Tz-P5}%&$J#%?3v<B=opFsy|s$sp4Pw+o!E>
zf;^1Z%?(3t6srpp9VCfA4K-ZPJh2m6lH3<tdrqZJ8FKSjgAM2@AOx~70LQb-r0qGS
z@fOb*et?3n3tMpR+UofX!=uQvP#DV~ntQH2k<9D3w_T0RZ%^uXx}{q(t}vjb5n|#B
zW&aX&2~Bc!YrNMlKHj)=3dm{2^DP_wXxldcQqcQFRiOGs9d{H4L#P+^&4i?u@6RA-
za`V-i^7HA;5vDRR{uKoU=PyneUz647ZRmZu+uMZ*a;MtApINKZX*Qx7gmSkOLWqZ_
zI5XhTBanYpeT7;!5I8Wu@+xCFvT%K2mDb${#qIKwgB8l{@i1aY$~Cs)^&;WPZoJtS
zZD+SLtn1Fp-tH%1OAu!Py@fhfHyF#EN8zhB#9*v~TIqe<I<P725zd?DNUBjbphnn_
zj)<GTUM|>sFBb|+9R3rL^@RpfL)P@S_P@^de=;tyvkiZni)gH3mZW&8^`dSmuC>eX
zwYbc?`@CxvT_|}+Mas&QEgg)?pRX1CDu%v=d0oQ`kYn3@+nGk9tV~`&l_zn8DIicd
zDf3q{uS?vnl9tOeti(H7a!Sgj`c38{w~-Hsc<zl<^LrY#{q}>JoXH&K_q*=K(S);W
zp16xO`(o&e+fa92YgtuIKXMc^vw^|ZUoyOYw{a?t3*Hiul<U@jt@%Uy>a>A%7|~6_
z2nv?kw69M^vmLz0Pc?=C&2;wNzV?(g4=<PS<S)lzNgJE8s>ZmQHCOt5cShML5M!Jk
zcGvU=AG;o+&%8D$7ck>v(9zQ@kI%T;`Qf)f=8Wo6Mo3qC+I3)jd6fSHoeS=$nGUe`
zXYq$$q)e*b-qjhez6ohdhS#5bj&zeuHaRWjd@ZP&s=QCT8B$e8r|WVm8iCvMP6WNP
zX($PMba~!ij9;_w=2nAh5%Kvx$1=xF(@QqNi*ng^wOwFIx83Qx2N7^vOBIR|@Ic);
zpYT_mM$i8+nPB2L+K{)r(8F5pNHA}1gX@gv0qTyu+5R@w)kElAputsnU^wY&<itsX
zKOTpO0`@J{^?%6$UO|X>%`j~{C;v?z84Jt*`%m(ZqXFA*0wvzP_fz%ya2W0<y>zx+
z#(eu~bN9D~!i941>zIm@_8~-Q@ADChQd1PUnAlB0X)27fW*f;elac2dr8Y%04%{^D
zEit@zH)qKnmNz<&)(y`DPl-sMk~E#2xhf2%Vky^S?VQ3~Bo`|54Cap$LoK%AJ8XZg
zI!(7|K-|)eLFd;8jQ)Ed4JE+i_;J`X3%bZ&hDlh!^W1SNX5p%<T$B(#*Cj40fo*A#
z2y3Y#GJQBxLg`!OfUm(f9}6Jq&sU8r6D!$+A&lRhbk5`MnL4Fl3Sd)IcN;5YvhC7#
zJ=!#&rlsxFBCH}13nvO6&(|<-Zn!k&OLjh*chv8(5tot4)XQ9pXA$Fep4&9aZAmG;
zy--Sgqy46Udlzv~y{)6lotedXNV|@P5s7PEReDfnyG3d_aXQ`t1jesBuAR0WfnImY
zz3{l(k?%4c!*xh@i0p3}#3a{doaZg&>M7@hlxRPSAFxTAE}svp0}|(TnEWJpaNu-M
z-medFX3|gEu{{{Qk)@$m2nEeaW#v8uX>3=D51xj#&INvH0tsf(3XH%qeGvdB;5>L1
z;=cevb?9LZtWqsLQIBR)&=<6!D?T?a^!nybSdkNN!?noHs#%EB-MMG`>dy2Hnl;$|
zFL_{noX^;J<=6#iXalVHuNADk{Hi6~A?(dNv(r0qnjx{0kfI}8@VM<+25!bEs;-YD
z-e`k7Lh#r{XWZL$ug}T!T<DCAjUy5hS2n>pV<rdFYI{wdJ{=3O>76c1)x&+zGYD_S
z#>Qfcjd(@%>~bofiJtseCFg)49x%yep40NB!MrqYRmCSSXvG%v0gl#m#gixJU%pxP
zcQOxsQsu_~V?k_<;IJ6Q$k%%Q!+%MZ7W$j{@w*R(eFQFlZL6Pzn%wqPDEMDeD_7#U
ztR@f5`LKYo>-Kf)!11+=FJ?4j9qv3k2jL%Vv~{pUP!U)!_a3)m2)KJKrpE5)E9RAs
z%t7+89GSo>94@n+#kF5abksC0iS7Ig=R#s+ulbslqlO&akn4cGZ-#drP2GMYk|WE2
zF;pLx35rXGX3dan&+FE5+v4y~F0)lH(Ow%ZBd^ciZ0(PnocCWqa2XRcZ{<t`e0_Z#
z51RdpJ`eNsC2}Hga`H+ND4t;G2!-tIO}0Z_NJ>k3!yle;vw+lc`YWQ(mR23L4WC2V
zCvO|Q_jN9|1|*0h>>C$K^V@T`g<YkPa<-r4&CiypQq^9>7zVGK@V<$Ah@V)HY62Pn
z(?mAfqZ!lWBBN1(llu=~c)Qd{_HV791X8qoZ-V5RMHoRT{U64EIjJV2U!*w#EXxZf
zXXCNs(Rmu7--w(bv~J5rcP0YbQ?U4NU>nc3&CVCLostQ&qll0Y+;8C$DovYyqL2ZG
zt9IA`)h(>F<N>QzAy7LMZl2-i$s&?iz8fRgi}ud*)?EiuM#lLns1eu84~H@$A~1x`
z=P9vAeQ1uxN9dA?j(M3clhl%2xbG;vEc!)LC8vnQO_0=8ve|6hh>=Q6by0_orQ7-O
zY#bH}*hNm{HGE%$$9ozn&3%a(xMP*>*$bO)JV%#b?=$bySHb!#gFr0E5m$(IR|@pz
z1_;8}^7Qj?@e<c)NRFJMkLrpg5MN3BRM-7C#jwyoMxnQLwBa5OxR4%QxL%-^y|3#k
zL!o{7d4Tf>yYIpYXTWh6#&sf_S@dMnAn$JHPw9(7j|<L-F&MFzIOa#}vRXq~%i4Mj
zP>PA^Is_O9S=yh)1o+k%)Vy{5LYum&QUWqFdHiV^YN3<3?AzSHbAe@LALW(lLA<wZ
zBUN_|wU!gJ;N`Euj36UDnB)s>t`cVMg~>?&RJ-><RD}cVFj~*WO6%I;57u}(KZay8
z`bAS|&oK6U{un50any$sTj5BeukL^#jn6wiQk^au*0RgU<5Q{`=lx43(oD9JP&BX8
zX4EGD??FD_!dA8Ovnq^r>?$d!#07Y?!T;=FCqAeshAfJGXnabX16M^4!MdYQn-gdS
zL}mZoFp<ZhRo5B{yVY2cM$LcOOZucR`<<GyyR6?pR1VsC{3&|r;Ccy3$a5HjJzg8W
z8L#TQ8JiqdJHSb_gaAuMb%&>Rd@QMIWdz3-%&`(#ES4tk?1I+myQZHqtctXSzmfZ4
z#_6U?pOw)0SmDI+fFbcB+~u&%e~Cf7#drM<9(;FEc-~3o(T)ZjClx(dZljbmTSFVG
zUp6*u-5n(06$l9mLMfWfg={y*`;4SGLTBFI48}5f5ZVWyOUxozHAJbRy>J=mF^GP{
zpQ^nLU-H#45|2PTSfHZK^fcbydT=&lX1B^>&cJcwCo}I-%2vFw)v!|NPKf07EtUbK
zLe%+Er^uK0f3X4dDMl+=BD&a%Xf#Ko0e|0%ITyprxl&|~{kYEq1n&KSmb6@fEAI!K
zH(5-dJ^qne#NL3=l7*I{^nVi5dx|!+I=<$?HOiC!e4@vzz-nTUBgp1lrC*7}pU}#}
z{g5*v_KSQczCJ`YE4HqHD4+kzNz1f>R)BYlAPRJK8=o<X{$*%on(EAup=>WR`WI|;
z`ZGleQcn#L5#>5_Bz?MbTo0`Z?5RVzDxj4)zDq|n_J~J>)oE00Y(Rns7;j~7=5-1?
zX}tz_*`Q%K0wc#OG|Hr)t9BY$XJ_tj4&u@>J9RgFeHVu=u0;oUiPyhJIM_288F;R#
zLvUEIH}h3(<`O=2=(b%CR($2nLN(F2BDhYxgWUeQ-I8<k);0s0nm8?5JPWlFf3g_o
z#p#Aod|`Aum))!Zy~imgt(oE2bC;lCwKSI}g-{b=Hvq5o`UsI5dfvQu&k}DyV9Y8t
z2F$Kl)+3Hz!T>m4r2H!k0I%|!e;2nP;St-xef&ED<OY3WKR#&F1~Gg()^Q?Ano63&
z;j~fv5t<C_%7g$8P5C0gYc07;gZNupgf}yccShOmH4Sb1jxU0&yoOJ@7=d?1wh{Ur
z_6K^fe!CKePQ_iIjQ&#Ct9h8EC9BV(n9qY*Gu34H@ib;y==*ciyng;9pRt)pkyTXn
z>t$?&Ho|eUY&&0Oy6EnVh#C{13mSD?<4c#qOJwj)S<0cg{vH!NF<#hg!q3oT_D#Cg
z%pfszy!$oJ^LWF{-HRB&0zgqY6Ut^}R1iJ0o@r6a)wo6h=WM?19aeunK3c`l!WKSm
zwhhjwlAh_TcQ{2Fvd4+{0`Z2s_FX30l5uLT2?@un>bUhkw|kXglVekznTBuuflO}J
zUcBg#jgkLB2N7=)0`2jiXnvaT%co|f6WoCe@ZhntZsqrK-aEa<(xLl{Qqa%)kah7S
zmH!BoRgLv5zdat0vFR)1_i&m-$q?(f3=eN=;wyDMx^XzXdX=#`qI0cxg;RB!r&WGH
zJz0lg^)pB>1<0u%it`U^@3Uy=$UkmudnMt~w&x9%$a)4FLTHQ3RW8AfDfAKhH{kS}
zIn3nO-mch<<psaEz8dxiYGgW~I8^5aQBTe4*saxK^d26~3?B3a=`F!CKspe<RiqOk
zU{Dmd7AF3xP1$tjRXWT9eWK1wotc@f4nuUCXcOnyy`C7n^7C_Pp?5Mmikp#auO{0l
z1@h*6zJGtmASR`DVdJ~kud$g;5jC&35b*h2$=|9~GV#hI$l>a{H6l|pirB9+=xb5V
zpLRdChyu>I+Tb-a>gn=?B_e)PY>`L7A$1>GpF!H|{D^oUfPuINE=yK>^Rm23E$?o|
zW0V|mCs{W@d7J<CAa9mt&!B{hOhp))w$hYMCDHqthaUEXEA+<=CgNJ|%iir#E3t+2
zeawZ%<F$oVF`}ln=5)*34J!`&w&o2Qh8Y&y-9IqlJlDiQK|%MLG#VD|xX@7$eEaSM
zX&qTXn`SKk3$qfNgN4P;g^#c2*=zAoXD~%2Asbi`ATi7U)55-MsbI1%t$PO+zbj+3
z&XQEa?5|%SJ&f_yy{5*@2FmD9Cn&9&--Bqgzpb7RRhQ|xz4##riV8nB8DwV!Cq#P=
zcn!$=SD0CCw|%p`On;RI-X^e|I;0|{$|ZYGOLK7OFuzn+snywb>tnUkB_!!jeP{H?
z>C^5%yAKc<3}3mH_Idr@+_ws<9^@FZTwujFe5IWHXuxmrxepg$lG&m7OQt}SN0U49
zf>6ti=Qy>9`U-7ZR3B|AKV)0^2#!C2k?~9N=SBU=?ro0O;HY(EDxEJc!tsed;;2QZ
z^oxP8Ze8rRLUN^fFfv0p5w++wLOcd;v9TJ@$yMDFL;V5eB;7w8)L1Y(RO`Sf)5*5i
z*B&F`-lm%}*itvfpKiCl=eV|%%jACEyg_k#f#A#{XSfh9x!l1?4?Z6^9h?@)Ra(rL
zNPhlSuONpel(wpmZMP`bkbO?8R1njljUqP46W(5Xw8>`+9b$|E`ot{dsvp#3*1s-X
zd~kX~F|ia>snsrou$E?_FP29)`)p;m$;d}+Y4Mm*#H1Mgb9kWs22R3*r5KhOs=fMx
zdaePj*h&YdB(mW<Q5P6;0t~lrfidUu>3QtzW6Yr!7c3B_Qa79JgYqPJ1=zVZ+_ZlB
zEp&{-^7Dm!^bBQV;6}sH!TFh&0q>D)3IE)7|I^m1&%3Q1L{x$i*K;@I`<g%1z|4ET
zo1)vqw8qGgNiuE=niK`Km;o@ccl5F0CyM!&-moy2w*8_pXE^7pD9ctM%C~Wqrf?bk
zDgL=y2~e)T;T*zogG*m>!y9#XJFe#f?Qf<F0n?)%hux%Mo%N<2Hoqx3SEa@N=AdXX
z`Eju_hAPE)iZt4%;edvlNa}HYY}IH_j29Y~GvwDtmNBt|XX3uZxI3IXLE!?qqaRC+
zdTW+0=18H{<v$vXIEQVkZ(Z1598v{KRB0+79KSV18BT_GcMk5YfFl$8;g&m&emDB=
zYv5n1`~`iIEZb1I+db`@MnA2wl!7d<i2BM&BA^a@qTkI;DO^LS&fZdY)r|DD`r+8(
zP0>V^-TYOD?@>V|1`<S4U+s7+uOc4G2@8VT0wZulX;Iu}oc2TlLhah2O_)gQ?Y706
zkU4cN`TGhnb0wz{jt+OnrOvfi-_D$D`a3Qh=rS3N{=gp34G-{ET_#6?Az=E<!NBVb
zrFo&lwwKJ@TZfzi@jZGW=9%9@bHZK|i4Fnf2>rna*<N;_Z{3p4Moo1J6nBNTGI*{-
zZzf{SEh50tM&JLC?4pPRGem+xr7Szx=7S*A$r!dk;S1+>AOo-?b&A7ISxNhnQ@@G$
zIOppzpQifV6!MPU%-TBDUmgUZBU^fCQNNxHZIPNrUaoS04IiGcdx8I)4EA`>AM%rZ
z<UbtT5(KdCCsvJ}hg}9>Ur#M4QLxZqxE5PK&L%Sq>(a}t{AqY`A<R(L!siyjr2U-8
z6|3Y2cRTejJU=T$-FeiwSieMM7Q%n-$FYJB{f;Jxcw_KOZ9zc|znz1~ENlK1yJ>_S
z5`SqLZ3Zhb4Jok>=<Qd3#8yPf0cL_so58!ptGRsV{V|uZu~~&#g|U<u^82&4d(|mw
z3O6m419oW;QO2<c%d7@<!en=eYotCi2Qe<Ix*k>U`0TItSKX)*X$mLw=E78*i~4>W
zk{HnQi%Rn@i901Q;Mk4afZvHZ#HiaYy=JhuTzNg<>Y$avQ)?fp?lC`m6!>BvWvW8u
z_UwC1*J`0lX;47eSQeQ8bli_RhctH^buKT>q~KR~3mz+N&tiHo*0o}B7Aekiq+ExX
zYhIsSup*?~9=<xc`c$LtG`0PfE<(c`%4;R3YHZ=Sz)sLBI?!W>+0aIRFgmC|w-Vpo
z_ln#F76bu>><IzA73;~bG(S5-Nx#jef}9#;`YXvR!+{{N^Sm@JRa&1$Gs3*+kG0A0
zy0LBm|NR5R5MEq>B|IyP^4pJp<^cY(l4vr2`$wv<EjltOOQd85y3Vt6txXtIQSINe
zD8E>C_07l$GqTO1`>IP(a0OW=^T;I_VOd{j{d0-vF{jBzv2~E>q0_O%V2swhL%8eF
zZSAUr!;RdW(^1@!sz%NB30X`p9fm`q>&7AtJeTn0^Gm(UpWOq)1Igx2Cl^uD=f_ix
zGrv-1A*(-3YuuiJyWo0XVlX0G?~^5+e}H}wMJ1cUd;WsWjRxX!>6t@sBjO~TR#wV1
z?~-nV@I~$555BR(6suf<o8;4!5kowgfj^V{YN&meSN-3@d#n&JFLchLC{uT+SlFsH
z)yt@)#47Wu5gS@tsm;fUP1m<OO%3Dv>qXp3Gd*r^kn>xa04zb?W7tlZ_<DMN>`%c`
zN@(-^?fciBqMl~r>*PW?JW!d2@c+8!9;r0K5RkIIO*)wWT9f;SKT<)~CSZ7MC?&Zo
z4&>6*5vf!+hgInPKeoO)EXu8W8xRRaLIji!32BjzVUPytZjf&2E)|h(M!LJZL+S30
zkr=vr$ZtFfp5J-D|G41d+3Q(*#l6<P*R#(~XDA}69!erkf4Zq)*hw<Wby?6>_t5ER
zVnHN4+J9h><}EITy;AcDRO@BUd8r9)ZN=!~pM#1*PaimS)1mW=EI6FH*v??}8Xh#b
zu&99!X2us7F#u;lS1Y@-kT}sBau$a=_sxXID@xRfRGma+@8W)(1!7aLV~z;DjD9iA
zS+&V8#$BwC-5+Ke`5-(dIgp;k)5^BLoL1zpFxZ;I<_Dr$&Jn-xnMFFV1(C}RuWO<T
zcXIl377*px4woh4CtjVWUmM-y-HQghy^J_E<$b8&%o12%>2zV;DeXkKMd<s*SyR17
zHEZ$w^RJ)Tv~n$1Vgl8^MrGzE(6P~Mzx{2yFuQw%iLzHEEd7CY2$hQLx6c1DQdt)S
zM`;2)j&_CUGgxPM$fOxM=669*Wf2awTm8yFxAGo%o_hcyGUZSzKjc*ePmB~<ecIB0
zihv+vqIeek<a-&gX|(l>AGi&s%uc5Caz7@6E_yh1Lv$J?r1_7ZLz|hnRI;|pbopy9
z(V^`DmxhZ?$UPuNmqtzJrEc4GPh>HL^OP3RXtJ`%Z0-Oz5ASjzkaKzFOx4~DC7(y*
zjLWCKL^jE+FKH<`9EJ5xl5V1I(nHwpR6DhU#IbC4S$*GF*wp8Voa`OMB{lLzcFm%0
zZf;0>!idY2l3IAL0XIKito7VBo`|S5=%yxQgjeBTk%-;SZ#I8QhXMxcpG%2`R?e+1
zkfZIan?w%YUVz9ih&cr)yr)-vbr`=tzSDK34C%Am<L%vuRXh$8;Gj?3rQ4p2&m$^|
z@{|;#6N9m|!Er$hnLBG1C4B}*xjQ#D&-?=O?g^OQKw!(j<>m*wR$5C7$Kr@W7DR4)
zQ|jp^wUF~RWMRkZ4F&Kc*wyf*U$1B9X=U6YUXUD0<ZkbU4+8=0im~DE$5DhxHZQq2
zb@zM^t3ZwNjNDMx+OzIXNWIgw+QLP8zAz4n?RJErZNCPXVU5r(fw02F20hK1pb|v4
zl2V4aeJRT?UB?OHEldVy@6~JF962>V9X4DrXjQQ7#q*?M;@^mxGwu^2W|vX9zUn-T
zC2<!w_<qA(?co!O%{J2;=Ldm(ch94CiC0U6{z~)Wnyq?){&wFtG=Lt!nFD5(JLTFa
z=n1h-(5S90`>L*B4*;KS_O3t^XCWij9s<q$vr?rBFSt(u-<oBMJVs|%oP#lq2$FYt
zQaWgVYe|<L<^1UT!Y=W2rO_v}^;%uQNbNJF^|2qJHZNCqDzd-lCLc+>C<ny_;GOU0
zyXgc1R5;`sKK%-|@F-)fK3|%eZup+yqjPgkcPAf?9p`)?z7G_@7Oav>pfAUgrd9Xn
zZ6qCg$?6UBwk;7mt!{6~%dM5s)0C0SZQ<L89&5cjCc32b_F1Pje(|eINz7miPM(YX
z+Gg<fG=Q@z2bYhpvCQ1KoUqEmf4fmPY3q|;B$C~Ed^76R`Qv;@xN%a%D}3>cwD?9D
zd(`;H(g3B^!Gv}~<!7fuL9=e(0jYohnWJ6w+B5&ojPiO7X&uiX`Xrvg7sp^a_tP&O
z)$)~>NEeVZj5(%y){9VvK|`Guz6+v@h-GO^YzOFI4H$ejhFxYhuU?I&d0tp}_RJm?
z<vN7V5IW3Q7FoP?77A#VPg1Rvr}C4l-{vcQ_s~6?q_#o6^@o*M%MI0xahX~=`+VV#
zh7e^OlR6nQC>GoL6>*b6E@7cvFVde-3rxfsvU{X7(&a7UI^SfLc<kUPp6>5O+c2$=
zuf5}@rBaRbA|daVs@I@#wZc#;zQQYzc{*pX20wl~h?TR7{mJR4XV?5+IrF$;Oyfho
zi;_Kg!%9bAVWu~(sa>Qe%VR8NsgYlj$rQA$An~KXM7$|kY*YY)0$1JweJ0`2@B9hd
zQU)JcI0Ncejxm^Ara7}@Z<z1WF)6br%G9Ux^EUv{o0o8>`|Nc%GxRjUMm758%QH%f
za4SJP2QshWWu2UgS@+(;DKd*w^zCCnMNN#l`lZ}|dJQnIbg<?;hrex<`|w7iS!O$O
z^Wj?@JGfRu3g(1C$1*7vE%r5LMHZjoqz9MrgG5;o*?s|k()uPfW`LJPZ81^)q`1ti
zmFc&k47>|mva+(>cqm}Uc!wGG#hIN&&Et?w00^&cx9zQC0Zw7u_@GX2&4gZmNyH8&
zoba~~D0iB!#6$tX<>NZ-Klp2_zr3|0I&w*|DxS7#cMqym8pyU0H&0lJ+;?hSQT3%m
zr15op!wVku#!;Eq2scKxs1<W=Z^5`R#<#}+E)ATgC7E>*@yX=|P5$&ddNMOH6CH>0
z%_Q5`DYsL!GNc^Hj_6?k2SYpZ9X?t1<>w!Ndk|3f7{+wcaRyW$wLcjtTuSbcz0x1}
z+>Uc%zLL$<KEM?itz@qXd2RK<%pC;+?}Kx<8$m!CxTS6H>IeS{c2BTBI6c@&aNM8$
z_+qfY+<AX|nH$3+-<UD49UI$Z`tl>e$T$ndv?ps`O3_%qzvCC0xy8#=#k%PHwbd3t
z&>TV@p#i<%AMh3IjSX7w{-iCor(P~sr#_>2l^z=X6mKG(3?YxB!jJ%C&CyWMpX|3h
zKt5Qq+kbMCl0l5r`}|K#{<U|T(1zlq&JG^Dzl#2oAenm*-`aE+ImBn!sYvFXce+Il
zAwsulr}64_WD5!;=9pGRg6nlGOriwt{=pt06%NIJe`t6Z;qTK@%us4Zr+?VZ{2;`u
zZ7`ebz`E1Wy%a#$Af9%!n&X}cBkj$>jfw<fl%wU|CA}p{by#cwUX+n*f%$mapniYQ
z&7VB&@Xi|r=)hZx_T<k(J_k}Mah{0EHaeQf2io*F{im7Hb!1#kV9TI?g}Xb=0einN
zjFehtv$C_n$kNel6B3$sms`+dKp+Uo32DiJMd9G%@opYNHLgby`<L?vzs)j-0zn8a
zFTLA<=FS&^q!OgpqPiQk!;aCMMb5=VpPZRu0*o$4ki2C5ecogL)xsYY$s!}pR9S#d
z3waO@1~EGotgvJcde6U06!L0QzrkU8zLe9M<H~TsE0VMR2hK4QqkKk4Ibc@oxO0v_
zcKPRt|H3U{5~PZ|_7-4D%lN7%l2^++F&c;~JLuLj-x3yW(sAzWuu{aEvc=4@WB>1#
z2Ym%5E*#so(h_RuNq5WjiVDSc+`r@9LOyZix&cH_V(Z;h@~1|0o&;0eUOU$c0Zk`Q
zGs~XLbhNIt?Fh?<x61E?x-_aEyY!_l{t-3B6E)}xt;lnlndN@(W&IGBI2t#NyscCz
zLkio>99qBl+?ND@!T=m%0Ok~SfLGltcZSP6l@@cpJKg{U6F#^tzM|@&!8s3wD&VgX
zjbj7h6i*aBf4Y}k*BNod3o#~%r-4|)TIoPr3uYR&xpM;R)+|~V%sHs{%iKLAhYo@2
z#&oEQpN}Z94Ce0wQ*$il??q@4Xgy!>i{)<dYG<qF6;Xk{-$}~6`)hYtlKX>sg3zAd
zZ?__e&+(gv<2ea8o!_g{M@Lv<^-tfe^G_-Cd-eUL<aw>KBj1xUW8D^ipS&mUU<M%|
zF)!uqoY<$>kTS!Zaj6gp$PWFid8fM`APh>ip9~n51ft&k4hCoQUdj%xdHCwn^`Uz9
zsYWY&Qn**d{T9lR{{&rc?rg?rF%^M)nmkQS3KHTBUdnlo6z%wZ$rXA`sZ5{_#wpT*
zp@`?GtAD(0ITlXRJ9ur{c>C^&V{AUhZougJSdJ{_QDmMh#^A|;9jdbW@C10>lEWY)
zgHU)M`PIBAZvCIGT25+@j^sC^9(7whaiBB472I)am^kYTlmZnih>N5Ti&9>9vj4$4
zbC^SsNE)a4#r2)SHye8!(O;+<b(oJ8n#suM9E(_93JT^VOc?w6aUt&I{H=g`Bz52F
z7D<yJMuTuB?sW{5!YX;waNwX|eidAU4-Rw0uAO36bt$ci3TFH*T>6&7^_lWN!bzBM
zR(%=GQuN9JNvAwp%^VXiw@M?Pl`z$jNUQ*K{ee?J-Djv%U`OoR<J0Z|JPxtu0B`)b
zI1vU-tEuZSB+V<@@|xVAPuZ-<k^(9Q>A#NUR<)`h*Umg&!ub7uDIq8&h^j<VRDwSD
zUi=9=M?oBuqX8-TLM}%S!+&;WHnY6EJcZ*H&gJ@x)Ztu@(nE-WA|8Bv@q9f`W@Vui
z5)#s*grg%<hnbm~Oc~H)-F#jj_(afY2)e2Do>(H@o=-G}a_1yN)!x>g)6wkctVV%)
zLEi!a5mEj8CABgzEe(;Ir~de8hOvD$FTY+xU1K(2Lfmddh%Xbx?c(J6a7AITr^=Ei
z;l(XqxKSkUosD&T@xHt)@S3%(E!JWx00H>?o=Y8sl2j(Kgv_uztAyi+x60Xth5X%s
z7pSneeWCaM(Y<2;Q|eGs9^)rMVbgZ?CyR&t9@}pY%eSmP5M8=UPPOVw-k#wV$24EI
zcy)D1X=oB*gH)U5;m}WAw<VUCVnB2x{q^lO9Gd{cAj>y;gB;CA6wpfycL`$Wbve*l
zuZ8tdt(|eX<_Wa8*AH-`b9j|E{?MUpwRcV9ftSVQ%4#nXQUDVj$U-I5bTGTHQmbh{
z)4KPP|7!2>xSVcYHaOI>Da4}+aI-Pk+w8t+SLV_?p&DzvxmEXLpHkiEE&A+4krtEJ
z(Qar@YbfvP$S}7Yf#bICdnzGl4@Xh>p8Fp42*D#i_jwaHV`ldQs9<+sl|QklWssl#
z;57%wJgxP0Jw`7>^JOGK)oXt%_H1zNDzz0rrNH?I4zwy}A1!j{-CXsBZ)KU)wa9Du
zIIz2iq#KX2HI!1N2gB1nv3T{gsR-QpNc=whxWc{&T3gRJYF?sc&LJ_lJFicEbMPP}
zLH)cSU>mua2{RXqtKjRK=f3ymhC>DGzx?oijd36R@&e(U%Ja+to4o|}KC^iUzE)4j
zlB=fsSF5#cV%@K<ts@&(2OX5~2?*w;Oc)-W;hVmdOv6asnK~?JyagF0HymO;pL#<|
zbOB5$E|%G?IbwRh1g~!$4}#-87<+R#R?cL?8ctl=MP5YT5V*J2y_bHpaa7R6U*%B|
z5`XleiGbi}SabxUSF~kw@cwOJQIXa3^aw2mpyF+;|MTQ^NANX9?<rBefr?%Hv0r#B
z?<|eA`SQ^Yr}~6}Byip6sM*D>{P-9#d1Jjn)uVa3)FZ~SoSTT2wERp)k@>yhFaWk6
zO+=UdlP9LLqDN&R>G}axg=foF9HMS3A#TJ`L_AJh${jzBRH0Xo54-ebc;sUG^TF=5
zYo>0q4LRBM*|0H0$X=IJ^_3icD~tK^mWCGp+2u~XnAOE5G9;Rbf3R#Gw{UCr9N<B8
zdKVyrp2A<hv0gi@pRkNz41P4lsrNC9mD)?4Ln36QzVv9ibc&_EpZ@t{Cdut`Tn|PY
z6UF-wvyQlpCR6>IxAigMPn^G=qpOHAwvm`hhDLYT=c@QMG++9-?8oN^;sS4@z5@dB
zy04%|h9eo`(u(_YJ>zB02XABf%wr1NJu9)}==s)xvFw&+yWcDMSQiR=0~%9?DYsLP
z;gPquHbr-AHDMjUb)(gw+`}<DCX>&}c#sl749BY-y=MQ0-KH~vSPtW?fobnY4-gLg
z@DQftg|;RvKOEJrv|Jlb6vPe)U=tU(>IL@=Lz8%%LPT)YC=#`_-rE6q3iNR-2N)vy
zz68h5MF>B}-KM<Us}9w!MS4p{M*@mRpB0jQyxJdAzw05SZL?Tg_F?hkTtmhBrvzjY
z&v!-x-?Gx^wW{b=R@O3WYlSB^8>ZIAzR4tVx9e3HrYEWRbS=0sg>^?#caIM8QX><W
zB<FJs14hH4m4Jz&dD1t=(s=P2vsD)JMUIpCCDu*YXHpY`)!1$|Bf0>~U6tk<<(Z1>
zITt&_Zuraky+_!nh1!iB<NVGWK1IH$A==J1i5Dztms5j~>C44-wk?B!glQI)+i5r3
zW)D0b{%yCmZ4%pk0jqb~_D>yk*6M$j>lVMsl8Js2U$t>n7*#&NNy)w|O6)P`p-e3`
zHVa(5{6SnZeO4)KR#scurE|GgAG%#R$xFStv9S?toIFlRpoBTK(4;}^wG_L5>6BHV
zew`Md+=$ob)XOdXjd{2+JA`+MIrg=_Ymv1Z$<&!oe<JEvivbJtdsOk90D*y^N^GrY
z0(gb31U?_#BGc3WnIo=>IJ-ue+P<_>(`XF%P~7x@Uo*LA!$a#yR+cfs+MgV+B=8GV
z$av=cc$4ric#;DLU;l<RLc<v6LoOlJ7Oc_%zL{a){_b`Rur0gYyFJIdNO5U&ha4r_
zWBA_Q2&!}wF!ITyM^|(eR`b7f>yLjWO46jba8%U%6x(CU=%X)_*R|VW-;w!z>!up5
zmGi6yW8~4GhxiEZ1`Ae6Xq10pRxU6jyIPP~?Vtu5&SkMb(0rmNa<C}o8h4K&zRF_I
zzmk5lx7hkTaqcj?KC?D+-lcr-2lQ~ksZlsY+w=4G+&I0?d5;t1t08jkezt~H{hD4Z
zuT2{Lv{!1w9-p-WeCN~2jy44F`Dy4%_u52`3D6)d0GF}(oY$pwi!mJaLJ}fR{FGDB
z;rzX%XTPG4FDf6gyR&b@X4+%h<XYooH*J0$0!Yg>p1515<8>WI)1Fkt(WrSbh-c43
zRegqMKG~-gV;bx+fUa)qZ82LVcyn|Fj?fQPr_wk+mz)GsOv3uSwrz{O89HF(>j&Q>
zba~jy`c#?@_*}L(ln$+L4?{zCVV53~>Rg`6WMmc!g5S8U;H)JU?Zs+y7y}T(PP|TT
zuf%q12GekN!l`h=wd`+R9CCP_xW=*=mT8{l$FD%gw^jm^uT?nMvA<mRW;eg=joGD6
zJ_pemZbrS5CUx#1;D71lz6T!b@V;slEsCga-cTwNX&3WqxRi_KH~vCDxfgPFGq2P8
zv2nHD^Xjq^9gGxC_VCQk-M)aU+^B2E=~`Ht4}uuG?m5nck7brEg5)ap(5*ZJ_MuLG
zXB}2Hw#~H)rKX$0y<XVOE~y`jMPgY?#Tnhkp|<S=Om@AV9v9`{Fb}+b5Ze}e&uhG9
znce1HTCT;<`VayzR410lErxX+`FPX(mek9uU3m8hdK0QmSv)?tsj+aSPQ6)nwu0B}
z8e9Nw5L{~%nC%OzZid)$T~cO?cC?V)l{x7GDN2JRJXJeUB7vvRlQ5ng^N37NtV+Me
z3ae$CV=&Q3^L?8CWD*om@mLy}?md3`UFaSo_W5ZXSGmSP{HN0X1!&L$f%`+&s#2mu
zIZKUo=u3^Nv~kO!<-2wvy3VX8h`a{L(%Xg3hZ+9(ndD!&-?v{fBvGI7UwtO@nzOAv
zbxXFx2(fNlCVMUCV_6l|&v7DPS1fXN4!fEP*mQYv8wE;s`r>|J2M+fmap@b^<9gwj
z+Q8(x>{czJ$#op|X(eMhBr4vzvDe?JA!TXdk~qqgc8>F8Wm$21c&!b0wFMiWY=sVd
zotfZu`s#3}_$prWq#L7#2H1Rc!hoNe2^PkIDK!grPunB4nlpFkcMg6E5|>+WT~iY@
zk;F7A9Q}-bX+~!*#|}(?TWEK4ZLOX8@v|KyySYKBop`I&2K~^8jwv{=Y$Cq_V~j?%
zH<VLow`q@TV|{ApGeOn6S&|!jP{N1pMcW?n&aMd}hT3czr}=9<=pvIRQ*rG%LahkD
zVDfoaz2WEt(cu<>wS#^+ioj{DySlKJak5QB!Ff9#qydx!>8W$OOcd)R-*>;>B<T?h
z<;&jz(}@z><OFUW)-rj?Jk$(aX|^wFhPL0zz|ikXY&4TuRI$G_+<TFx+g5XkG|uhS
zG7tDAc=)V+wzx*IsQ!Q*3T5(KzTkvSi5Sif;Nqcnv9Mdtr0sozHyx&YI9Ui@-~5KT
zf9|nX(<Ou(zTV=2*R^L|uhQvSaJ5~3%K&P=;KjiL(41XE$W*)<8n@*R#_fX>90$~>
zd-Y|CqLlKryU0`zrXumN@<jQIJ9~i5phy0JS4Z=Ew~E9n0+XG$8(N2r*6t!V%I#d>
ztDEALj(9I7-0%&%+Z&l(yZY^)4-Bs7!IAo*ToQH1jm%!V7B0vB#!3}jqMnznw=vZX
z8!W+d?85Epkr}3MOFqxV6wa=^p{0*63ik&TJ2suihIWx5?=Tg+4|;V)%J6Spy%~N^
zaOVZl)I(Wm*N)edIUm92(Y9%OudhZmx79sfT0OK}#{JdjKqQQ~vwUF61u7|A-VN6e
z!8^=PDtm+oyXwZi8xXk>=coSZK?&Da5tK5B?u6wG8D7INYwfz>TF(Oh!P<|<1L4At
zSG$a~<h!b#5U}?QdY$39OwKOQh!VMcV`O5L(Jq$L9pHx2)LsuXbGm6qE#dFWQz3kp
z*T8jI>l>AcN$j^g3}a+4oXzUjVEZxXVVnA>^mG_9JHwh5r1O5WMn5z{$Me?iFpEPo
z3nBTTZ3-h+<#rflndhjo>980Db{rKa*^h_^xV^BOF!9wYK3E&yIuyJ3@*ZplrnVS|
z7JzGnSGQPH6j%|$8E{U&Olr}B6-tNT>*%8`mmLNyQ7ag=h|QB&YJWDofn?2+40mxd
zaZ=&3ZB)4tM@LF?s-Mmphg(cf?~)s-E!M6jyqe4tTdgd1$-G3HmRCb&npOc#tM7eQ
z!wv5wXHWF(DYflxXL4F1)*$YS8IR*IkF%I<Qt&(;)#=ffDU6cwJZ`iN60s}WnO;*C
z7d3`$^R4C*AQ^ePIr-`Yr+CyeUK8<E{9Z8aYVG9>&S9M-6AA##y*AOA&%`UZd(%rH
z-C}S$VYNUBBih<Hl6YLbnD$C;Osui+pn<ECOvh_HoQt$~$%76Q$4sDe$@m&E)&I=g
ztzVu4C6M*T&?|o*qEZ1YEKr;l^rRUkx*i^|2!m|gex~AtWHL-T&F-A_g!?f>FNbO|
z#w$Kwy(PAqs+mSDUns&Fm*zhaI%}$1hpfRq7M{d-b_LNpyRI7q1kNukU|en<YE`)}
zdk2(XD1N9)9vF^4DYptw+b$>kdez`yBN<*eU!irg8Zc>wSSmR8RPXkT$T~b(^CWb0
z*<eklROh1pQNw+C^B!Rb|0G-LmWqS(Ae6({tNh5T+M}qqho)zI@vf%<t7B5kP(Mq0
zXC|yG74~x8b?adj4>N4sXF<h}-xPMd^sBSQNZPTFHNq0_4PWggI5p##|4naTTQjix
z;^$17zx~FcY?b?vG7d3eqkZbt-k@h@xPkpE@@o#4Lm?Meh`L%s$-FSAlrnXyN2VpM
z;5cV$<>x0*7iuRV?U|WD^pUn})+1@<?mPz#$mit{$EDzbq9n~4&-lk013O>ht)lT9
zOtXma$J=9`#;5eU$C~KA6^x9ZrNH2sLPdRtY4kRjLXl9{I>}*+gOjY=u((O~=K2U6
z?sao+tW;AX6ry}EIc=O6qcM_mm0m~`c#2hS!tck(qdEXMV6I&*x@`Nb5?bK=w$ANh
zr42hIJUhvio%*IUTuSi<W+2fz>+%`|ikg*bBnZ>CGUdhtL-N=0DIz=NY+ehR`MZd$
z-{sBS4ECVqkQn~CT=EnnuA`{sgs*LzQ*(UH7s6TtmR{6orM$C7gK>~H;rWY&QUJTv
z484Y9MbEG((QZ%w8I_jf(o{NI*%-;59i$3v8k)@nQer9?hvYeSW6KmrN$R*XVPh1k
zH;ROCUC_9|hzEyXdUaMU;?CPXi(cjpbz8r&r$^pxRs{jdY2?3yxn{?kTV9@zun8EJ
z2c*4oKFb3oGVq^IOW96S;?=q|?@nAo{B)o-fo-F63(-7}OL8PeS>F$m+`5NeX@hpk
zb0pb0%qOfTGEb@Ma&#i4_S5BDx3Bdi>!n7{B0P-T+*}QHaNuU#daXOSb&1c9w|mBI
zKQppbgFP>6Xiv3DCbf@N#*1BJB{k^N4yeWs3#R_S0g*tUUy??p)f|3+SKh5Qa006F
z!SOY(nZWFOTyn$k*2NQcq(Zadwbv~|px=?z=ise34`kUe>jm{)T>kY3S}9T+{%QWt
zXY*Nn>y{&7IH$5TA4XNFFIa2EZyj=T7RMq(K+vN#Zh-()Y{q8$IJf<6ios`9)W#Wz
zLCwM#v0VCfB9~kWfaBcap7vsQiQR@vco&GIOjM>MsOtd+Anl_!>TYWD$=MpuZgl8P
z=OpCgo6vC+mQJ37p=%6Y^5*)Trnyg^<>ujr_Mq8|i%%88A*KD~6NENXEYxN$??5=0
z<H250;HzCn=vZ@u4EjjUTW!v$H_RdE?^5)7%ll*bBnP;!g`hiodr^M&Tn#*XE@BJk
zaYqSooiTm!DRLfH#``MGO=^J4;N&jY#R7S6^Ar?$D-?@v`}Y+4D%p#}hN1f>1QnJg
zxkG~O>~==|V~`76vx;w`in{jA2@V~(Ma~~D-plDADH1MmU^~=6pNxCsYIWT_$w^!{
zB2N;Jq*@Vj&(5z|pX9hzi^+T56~o1|d>pw_+L;`Ye0^9g{f*Ubl{J{vF6WKj9+}&v
zvlqi?W8yYXS7Yf%4i&*qy(LQ*VEef$!emt2cbKRA{7nKNd3V`|N<5G$!^@sU+A?!<
z^T{qg+B#IzsRsMpur+6`3G-wRT#4i=r{3=y#sF1ZtGdep%dtIENdl*8--OYo`bNuq
z<2?*F>z7*(k8s^Pk&#^P+Ak>uh(8ok=Ihln4X<&#lV^q9N+qhG%?kjc6?Elixk{(4
zvb{w0+B8noo@0=zK)(Ad%shekqu%uuwUhqNi|c>EQbliIV$xZy9!^LhGxb+#Sr{9i
z6~Ps6+-kyAF2qZBn|NaDlfK(}yqh;6C2svCKJQdDaz{)f5OnF{IFGJo`_q$_n^Tx#
zC;`%jT+TYvi4gp9@iHK8x#k_B1;P)PH;e85y`UbMqU&H@=(ZWodcy8%XWGXpAAflZ
zH-q*_+aKY`-N-kKL{_oc=^>o&xY^_bQQ<Ah&pM-CMM83oRm9EBHFmG}r<P^vmmi#h
zCm9%y+ahJ^zY0_l4*T(+6T9s3fVX4FG+_8?V8GeyAUS<hn(Mnqk*DK)aGk}1G#4ae
znJ~^12Qp=J^xp2cO<}N`E1Qs#L@uV-y&X#1$1Ubd)OZ0!1z0O{cp2pCmLHzPJN5K3
zacV3aIax<PIMt&0RYn<{JT{+mCn_K>p=QIM+{Bwarz$h-Wmkj#a19<~>-KlEn9lKa
z>yPncdmC=K8i^W3?7Cv3=GsE8R$-FbtCRMF<TB*^+S19~zWAZ^Px}-`sFCM_%ish2
zLX$dduiBo|rFNRypncNQc5CY;SMcEj_Sf3h)}e&9`|?~z84%m~lj^Si>V;Ru4g2)5
zx!~A&zIhgX3C!=EIorj_9QpwB2{f1P*zBHK{Kc(=av2bpol$p#i=C|<r`}u4+TOH}
z)2nXBdxD@1oo6nj`&e41=DEBFbLwi9o5Ct);7MGE^(~cKV3O;F8pwFqcj~SKOG5$A
zvpCV*naE%{(qN?kyA{F3bLAG7`iKI6^D1C0Z>ClEvuA>-6)v4*zK)>_+pcHya2wHY
zqXYJ1@AGfvLw%Ux?yV5chttQb4w)6VY2^Y9!*+v{N*?kug(E&&Dv^GR-6Dej>cFuU
z;^Y+pzP@3vJy_MydWqqtx{XNTsK7lp*9vx*w`1@WBPB1({1`)MpVF{%Xt(lMr%@!m
zcaCC^_p-tLR&=r_wHI78%s_0beAT)-^s>GTb4YE-rOeQm9=})nXsx@Onvj8j1J;vN
zd|tw<Iq>QmT(|JKYQ>p$nbk78+QF1UnbD3bbTPCzl4sXLH62Cju`s-wChNDDD)icm
z`dd1Te3X?70#CZ;nnh)<jc=`OF(1n^eE|o_I+0#iYquYIL-;P|XiI5;^*nA%2w`PG
z<w(Io0Dh_>u8s3_gPku7wo_!tUE!jiv1}D<^f5f?F9H}^4L^oR#aHtzP%S_^s+*WX
z`5Ps&q~f3U1;+1oA-^8+<J&9EOnqm6Hc;IxccGMU#t*)YeN<n!@(m)|mG;mM;^pPq
zcy&<4Gw<$khCJD0e@$G{pY~v<QJ0AeHcz;65pNAj)^=;;JzQTtr0~$WS{y)zWEv-K
zeg-HzO_NC~oxjo1R;`zl2H4ax3a|;BjvlBjP~mV8dG%p!?kVP*2}bh0`hj(Miqa(T
zu{5Z74~eLDAl{!^s^(;*Tn76xA(p1=^Lr}=`l^bw2RSb;>9t=nxowypR_<NBvuc8b
z{yKv=4BWDgNoRB^{?%d7ip*8W4)7=<(LRW}y5Oj;G5p?_<-w1)uQbZY<bM0@!+s3~
z2-dQ`lB`yoZ^RE@&%ao>gh*BM*n~TTWiHz$9wGc`KevRT)HJtVbXNXD*it%>=`Q?a
zmmQHGDlg2Fi6TQc$M&A9J~))~Ev>ff0AuOH`>wT!FR%ttbp_E_u`Uz)UluBX{Q*Oa
zZeHB~RJ0T1%vAekZl5%kao8d6iI4YuLSmX6KfCob+2qyU3FF(Z{uu05)31t~k9oOP
z*C`$opUynhJzx;i;K9c4`v#D@*|jbX+tWOnn|Jth_bmWyXwNvmW4Hm8$#kgKhs=ge
zoVE7&2wDOkQv9GMvo`eRM2C*<!%ybcF_YS^so02WO$=mXDR%3=aCix4Pt|H&gWb2>
z_$N&$8V@5zL+qA9XLnt@8cDXF48iW}$WAKJ1bM~LBsXlDUnIrS_%ZSU7p@1YSA^hi
z5B%wr)*TYvZ|EjD;d||IJg-LGz~rL&KijItx+scZH(P8kr=soH>Gv^|jl9TCq?x>4
z9Xy1U%KWq~j~}wAceZKxJQrDsP|?as?%g@`E%wl<vsbHDX}+@HI?XXG6Y;{?9V6`y
z)!VfRXSmMTdr)Z@&(M2XRNW*ExQyQGmGQbUcY)m+A^<q`aq3nnz6p2Vic7BNE*?GW
zd>1@1Iy$>Ga(cK5tId8y@olb=jIYhk9e}lMaz*@I)rvw;gV2Z1z6WG02MXhsSuVAS
z+eQV%?RxIN!bv1r6%r@{UYDL}&EN{<9vFHiE0^CKe*9{(s7ciHjz8Ou)ohept<1oS
zLp5I1O=rrhO3fg-xoOG4wL-M%`jbwV!S%Zt-s@&MFpahI4rNh@u&wJ!K4Vxv_&V49
z@G&^DnBiOT$24p^jAhNtDajJeZ-)KJ94a?ZkG-&Bt!qIjtb4Ws=zWaW7dhy8=z*WP
zPI^Xsx>xuO_32$@j27#iNH7B)*A8x)F8FA6sc*SalhmF}Fb&Xtn&IJ6_AVdq6@FQ{
zpoQ+j`L5s8m=eZJ2Sb|zR(|ZmaPDzORoHPVf#B7jL%%UBAEayH1>$-e+ysgbS+b&b
zy|Q;9+Z*^nviRqMmVk(y{LS~K;uUq{I5DOYO_j9#hnZj#v;qwS1QjL=%wt&B{vpq!
zn8&C`6;0;p-K6+JVU8}e#4pw-D{hSCj4w`VvWqAEpT;?{_v-b=m>2}O@Oq;Sfgt0n
zuyito>y?uqZh#-3P?MgY-`l@9mMgG=mCrAiF8(f#753dX_KFa`w(86@ddn*Mh^_&x
z`i%U14H)*PEH@tP8xK8$l)1bhgI~6?Gqj+VNh0Ls9cq9bPR{eH+vCn&*uToQ!ioAO
z*0QG7ma@a+Sd*DVZyP53veYI1wSL{|UX<7MG2Y6tLP#Xtf_?4wT&*Mp+DV?QZc_Q;
z+N_0>lT*D3MGS}20AcA_kmWEpqdsBdl#>R?)94+k@zMKu;rFkbIy#yBjo(>r6ugQv
zCTEznND6B9D0=s8cyx3*W+@I}85f@}ow$c8g+0exgLJWE8Lw)-)aK7Pdp^51u{utE
zsG3YfbU}9%qf9*&&*v5s5L7qsRCb#%d)eg<uFO~CKE~U4V=U!lXNCkjtn!HCH7&!=
zR;?uo44y=!tD1JIYvhjv6V;w=N4=tO6<guXEycTRm~vNZBVM-jq73%yA6(hLWaCOs
zYV0?(vkR=);+<Ku4;e_UJc4}rvD#4BsFm*0|6z};ypSl@o9W!Mg!{Yk{6g}nNAm4W
zmCJl;vcr-2Zo+i!Sy83l{khNz;uUz?lkax6)D=cOLzZm(qS7zSEjIBLKq3+2Ys69(
zXwR}lev~IOXf?6HwfBr~GB$0Pih8Ry*MD)RVXBBos$yZvV6gV1zWJzbFKF{t$`yU-
zrI4p{9Qt8{`OLuhaK!|M`P$K=0eV5f@VW(g_dTAVl`m?;5t`s|vri-<^chox4SZ~O
zrkbOIfa1OBVDtj-zNnE!*j>>4{-o|>P+GyZ(fhx2Lh(#QpxI<hPH8_eiyM5Hzvnvy
z1B^hWvm%UoCAbU@!T1w0Rs>Rhp7G{0j*7@6BM9|YI3vFg{izys;gjX8Q&%?sks;UO
z6a~ckX7eOGe$$3bEGDtQ-8$KW+sD?X+*<MWhzzXos;Yd`0OB^gO(#QYj-Cb`UQTt5
znqX(J&T-7WJMaXGwG>S%HH;MhxJt~QG)E-GImoA>s(B$xo4Ml9fCqYcL~$DMOxP?M
zGSsj!YEz`}{pbTCPykVgZAlnVHwfXvpg<tq>C00~cF_yTOw;&QgbN>5i+e$M5}|*W
zhdQX?`GiX?pAAlYM860BzZw=mC`!$xb$7h&cPSpQKhw$Cl{?__@M#Hh{l@L#wQ4Om
zt#i1688@o;kV8A&v9M+B(s8?2vgIg5{p1M8aPO!f33BN;>>h}=R1NFuY>d(f+-UvW
z61Ak-an=~-URZFRb;BLD!H8LNrnMQIsSd6RB)+tToq9H&Q=3t9sWe#@Xq~rj%|gp6
zpvQ&_(j&;p$=cTL;CV3?@vKqR3$Bv7o8)m=yPZ>gb?1DrB=b6Edvx|-$8zt;o#6g#
z6D`tPOJ&1l!dnD>?qmsRW4>_smX%g|SE$~g{KjmWW8VuB32o9m6AmD+G}|lD?o@Jn
z<I{N`N+W@o)gIr1P5;%Xku^uW3T{w8a>MkRFL~6d{7oOD9Jy5Z;44bhp)Q9ywd*#I
zbZ>cCfjc<F!v!_tfRU1^FhnQLY<G_9ust8J8WUNjGd~lf+^pJU&KjaK;v5~Z*2d$H
zj6du+yiBuDab=**lE~&|dXnbxBvUJ{aGxQXmCI^GoT}R%7yKSdtUaR4lBi@|;;u7r
z#}@M;d)npig`{{@{u=Xk-8NVJwbh35j?n9^_gwNuN>A6KGSB1+*(g2*5Gv<apZ~=r
z0az#xfeua`$`*b1#5mZ9!#h&j<)S1SG(FYjYj_(zDIWb?J_PJzyzZm5!F;~XgTLG%
zSo3TAZHvDm>)~n(v8i^wxa$m0#_MOdXp1A9hOEOA+Nk<2RlbIRjdBZXrF`ednjzdt
zW6Z)m<bF!L88zmW>vryl8FxNPL*erQwS+~z?b*GL!Ws{GpW)8F=NXWHcz}R~;Q1;=
z4A<{&cm8R;0do<L-%bwX#!p&C>`uViNZtM)Dhk{uzbh4Ozlz2?xqG^I3ny%v!-P<Z
zUGT2Lg+n-zN^!5|+KR_c|I{)C<6M3!i^0Ix7+fd%dz1}_P$`gNcx|*XGmejUo3mB5
zozDYy>}-7zsHGxWT$oOtV&d86DB_qQGEO8SietxEPO2P;c>e}D>M)++*Ydc$L^8s=
z=m>{kNXgtZa5*B9&mU#*_qTWNHTKeHLTWa{PBf79or!(8w><J|a=8#KR?#O>AFzlD
zlQxG`jXOGJPj*At7%%+pcxy(enD9A9+3213;{iY$go9a)_ATYQilwF+bQag{uA<{_
zrFX&Qo@Rkb^Vny<uF7%?ePhUr>c%F1b+5bd7E=DP2jBS()$)s2l5uxEtvL=2MuysU
zyQN%%`8=7)noFfYJmf!Xv5COOI)bI1@BSTFkVjP<Wtz$B2FXL^F#fI1f8LUL74cn5
z8s2!lQ<d1|>dwf}Sd>#YV^!r8Y?9_m#eLL%-;396D5`q-tjXt<6#d}s5p)qi!6TQC
z(4CR&&xrI2y(7{@@ag??$7o<gW7hQ-vcc#W)%Oa3LtH}KJZ>0#lK;WNbo!J|jQuX?
z-CG549Q(skGSY^HRpi8pMn-Ar>nNxYqXmT@dy>$I;j@)!-hG2!fgk<O!Lr?_bULpw
zMcO;DWQ5(j{{M_A*cSZHywLn7!W9t%6l%(gvzm6;q2Iq)kiULRkwE>tlw367XsXsM
zj*ovN5&DxRxe99qgz%<YvZ*ig7{nYCIY`v=Et287(uswC<oiB1et^Q*Un|BGBlCu%
zdH6`}&VXQ!Q7M*E!4m|dfVS7R8~^96m%jpOZZ@p8!eT0EZ^XlQ5mj2SutGL%56M$F
z=|DO&ly(hz^f+ukg@L7y4usk&o#9{oeS(j~ub@GhP@vTF;O~42JW3F`&w;}Nh+Ul=
zE_i7+xaeNPf6PqR1o7>GjErbDYw>J`<w+0wGKgMIJY*8Z(BC@&dxmtv$Rz1WqvMP)
zbf_>WNBHO4*P_1~lvoZD_nC^6Sp@Md{7_EPVeqi*#@`VlV2Ty0LBc?mq469?p$01&
z+Pzu)Y0jH{{`JB;+cB$^1crkx-n5R#ucgCv%BCEwS>A^Ed%x?A=yNi)409~xWqoV(
z-4(?Zl|D;VsvBROpQ4zkMz$~fy&=UO$>V$d>axO|&4kr-^e>!vo{dO*L%}^M(10f?
zT<&2Sewnpw@A&)=S@7=xKoFY`U+Q^walL5Vq(vBv);NBX!`TkO*wvEX)>mnZ9rhmE
z-Zx;H=(&N?Sse9}TsA_4*}*R(*y8-)Kh;>b%cpN>s9gkLWYJT-zAH?DJ5OPIQpp3y
zdlwC0>*aVNwAPn$ezvKFodB=MFA6a7A(kut%WD2GClnLB1KjahH7&iYlLNfi>pTP_
zg>QzFuG<TCu5G>u`jV%lq(MY`H6<?Tz8e_H_&!{iA(h5uFEEjwp;;ytfstqfxP5Kz
z4Mdg<hO}rAam(+O1&5F>)^fcRoZJ{pZc}$hRln1Sk1gg0@?@kJ>w8X1B!O_xzIw3~
z*&t)(wjnZ^k<+1v1qQwOTDa6&-m%~fjaw|{SjxXRrr8;72w3~Y-<7iswYs-7pc*QS
z;QE^Th;~bs`Cl2EnbXG=u$RA9`UFru_UEntSO$!Wicg{Y5xX&}64I<bVHvY9ua$b<
z*&(-rUo9qAU|6IbgC^#NN&&A{e`r-ZaAc%VcIX?;C9%blgeNYHPPZ)euwWu>5U0gk
z{7wT1Fyi%6;$J7<i~?R@Ope&m1?$?o_ODY?)Q{+Q0PYjSojjy4ppyS(DLBSKBO|*~
z5TBY=LNK;S?~@qNw=sJ)p9C@-{_QB-2ggyTD1<yF@PS=;$kSne77YVjp}PG4rEbEG
zM*oNWy{hGERiQ;0BAPuJr2TaIVp-&W;~^{!q7+NTPg;i;tt!JNBce2f>Aa@n_-Q{(
z1Oz<OxXzf$&QTV!eDc1i#g~+#FnaG*VINnFo;m0A3y;rP?<Lco7&X=8epe5ba)D99
z*)!Jvu)>%bVdP^{FBW#jjy}@+5ZF>f8s_;0l%!!wnm%eS!sKreTrlvjo%^H3=XNl%
zP_@L`0B-d*h~WY5{JTjk6P`oS;Y0b*W%87Dd0piQmC%~863~O**;mJOt+(%`9tA(^
z_P3K%MytWi$9@$^NVTJASqG!YtAD#Yb<6R9rRE$9WA#dz&scx$ft&2NNE>7-4JwlY
zdQ7I%urPXTp-=MPu!2M}ROM2?y|6$ZECuz&M_>@Wnqg1wA;Fnqls9mAkSe1p&Qt2i
z5^o}4q$bcgjAo8w$)(;CWs)rC^+VqYoAe(Vz1VAIUo{vI!g=3D`P+nmjhJ1@Y7@O*
zpCkW|mE3vF@77X|Ji?BKlZ4+*V1QRcK5ja-8-dVHIE{4W%BBznyo-;l)k7B3=Z-H^
zGAd{`1%7bxcLiDK@Qz%E^@+|CnRZtEjTZVqIQXIGz--AoE53KCzbFA_sU0Lf=)o7G
zr7nH}UU4kQ$z!SCzEUz7bdzvB0L0F9&LHk+!4^CCink!tXO-c;-}=qB#I>wdEU|0x
zXO(EGNG0^mBf+f4cZ+NW!sbpSlDx+!Nnbqq`>x*9ve|1MR;s_~;lnztS%$8>+xI4O
zFAszYQ~Rsqu37Xc3@ee9ZL27&2sYWDJh=k&eh^xT2x5<V2eL-B+*8ar%JF(JJxtrm
zhwgfMjja5ONU-QA&T}UPDYFscS2$Lq^^N}nZ2uL%e*frGN2R+&qBLS(=_s}(f^*Bd
zO46$;M2r`mEd-YpiCVz|P1jUlN)vz8Gj6l9jPtR*1py*CLIOH<Ocz1o3pvA5BoWez
zoG=*j%#pQk=iI+DxnI0|<G5DtPXtaS&zbMl05i`M_XQQssvm?-;L6kN@V_?tr?Ch;
z!A5E4=YtWg9j;f&{4)9@`c{e^jzk|aBQXT1?0Y~Pt2x}U!qmQ=rNX@}?{){zs&40Z
zgY<%$JLX9`zM9^r4=e<Fcx6O%;rmxkxj{LPw>;q}y9#c*nwm4g7BoUF;U)P?m;SR0
zDJ+PmFz~WaWM!&dE`ExJ#>w~2HkM(lQT16$8>MAH`Kw1^<iYN8LlQb3A~&QHerMGU
zy*_H$f=4{7iuB<GKzgUSmmSdk&VJrEvVW}KAMvo1O40(zcE3MxJ~O1UQfJ;BKR~7H
z<?IVDod0JUBKoB+48<w+9Xp(f^~MF4WjE`9ZX~c8gc6=>B0jUW&L!<E@?18oH6Wj@
z3pA?LS2+EQH$-)M01@~4LW0^w@0!0V5N?U06sYQt_vC_(beFizC;To|rNsPVnn0#o
zo$f`F{S5T4o(xdUiA;O>)u2xLOE>d>JtpN5iZcxG6vIY)UtTwQNMB)(r=I6<i(5yg
z#hbV&$EPjDJ+qV@%Oa|mToH370f&OKCuEG!>9pEvZMCaKJ7RW?xOgP@eC|gnNSW0U
zG2w!7O)vfu@|VB0tj|dYo;{Tj{&}?Ago1|tUq?x?Kzs*D|A>tZyC(5mlmd>8l`R(v
zoWX9C?#G>~QRT^Hd<ZI+qx12m?($#bc>w6$Qz-mGo+1`SeAFKpj$nO=L|-Nch}L6f
z<0*{BgU^ii6$yCukPWFYY*Pvl8IS0KOL#X^CA$TaZ~OvniT~b+yI>nvT_W<UyM3U@
znC61SQ1)K|;SeZDb@5VZLtd<JfnpruGmG;z+W9X~I{a?L{e>ba5olM157=ArT3>2h
zcv|d*+IeOMQK~2(lTJ&9_cWOuE;Wfoj*$=YSBAa&yFEI;B$;$)!N31i7{$-MXb4Nk
ze#%l)hJ9F{L{=vzvev(jC;xFrU?bL0-~iu)2P0*k<;RZp66wM>;sGl1X=_65Y{Sd%
zZ5$(vU{(1M(qtnvT^`HLtw<($sAE-z6(Q`b`y_=)z$^1~X^Zl@9DPUUOJ$ISwPi`8
zFujD8FIP7{TU1g0_c2T-%|94S@fECQX?yWDdH}=fPKB_97xgY>KcR|Q)cRGHVayyd
z&j0Gm7xC02BQ^$Bu4G$Qvr3zcwD4n5N>$YPdq17b)IMK+$lm12vU6matj8xQg1v73
z^xD;}bo;a20*4OAI?uYtd9P1wv}$oGR47U2!b8=3z5YGYFRYz<CU75`NtsW71;tZ4
zZ{+)^02?Uzz+wJOZ}fgV>+VlM*a(&c)#6T)^#NY^<?Z}jxIPt~MMKw0u5m*hc^IOI
z&+L~OkaOqED@HYqZb)fDs!y7r9tEs1U9&GP<YF>R*JF^(U%T=>Sw)51JrkJH07Ltj
z**uW;fWNUow(!29^X0mr>#pcCOJuyd^VGZa=#xkND>d8iTG%X+JnqN-YJz0LgJs%j
z=H??+mg(<Z_8Djjs&SE$zM(O-E3q%*KVnG6J2O6SeA&34{;FEonqxXSlLDraia4cM
z6<9-@QY_)m8e_=t<Z$DiyeyCIO-mM-61NK<?8{UOX#J#F=l$%({X5(Xw1~An)g<X?
zJxduZbx|YC#Cu(t4aTd)$AX7YGEr6r#Y&lnSA+Ni*m}A`Cb}Pce$-@=Eo<bjdP*RI
zx|){Ny8ON{AX-=|GZ-L0Q0z_4%=!5)1TXvoz49^{n?%UVe|rfhf~41IOnlWN>Hi+}
z>$)D7z#zE%uXwVdh;RG5cZvE(Qir_~&Z!BFcV`qvYqv(;qaBlvSC^W#uh1XF*`y29
z=VUs&nB{%mH1$Ao5zyCJzzj)8j6_u_5H5=j?zo{m!j{r1b0#{XGo@Z2j|d>lI#G;v
zfq@&Pk8OWSNT3HMDT1s=A4U2d@P$L5d`ja;S1N=(uG;^rQupO@ef*lC9KZ9k%>M|Q
zh^S~^3Y+Pxu%2Oj5^U()_ntiZTNuUVkMYM=BP~MdhpM%)Xnh?)o$<J@dQ|#U4n0=v
z3X}y&H3N)S<3ra?3`8D8*d!e&w$=816eIc@EP*)KG_A3wIHBm1|BB;J5k(xA>GcX+
zBmRJq*$C6v@i$L-{|4aS68e}?V&0@><Y!9Fa9F_(1`i(hrEZ9)**MVONI7o3Cr@Fu
z_W_;8En16IRY%jagBzTNDOC8?rU_n5ES#~prwjBtUpkwqh76<JV@yR#ctoHQ7X#<t
zb{#46ON5&w-84B7$28pgdgET+7E;7_SLw|(8&*4ERZnPdUM)^i%BA`fiH_zrQd+FG
zv-ws^Ax2RlmTmp4Fkk$B$+)Ylrz5}wy-Gn|izZe#8v^LJ_LzmUrK#%QpC!S9q6Ca<
zpP7jM1NmMwAS@wfBrj&JDZ3{81Kahgm<&-%BnH_}{}ZgnUcfWmn1UG!x2iusicjs<
z2>RO0$RJ^iLZ0&8apd9=FL50h>Pc={`HA#t*k1Qu>x?>EcqE6yMEX+WwhagTl0!gd
z&*qHD^FRzER@V%SJD1D*28ZRH=WP4oZlo60fA|bssnTqF=W3PlRv7)C66c47PFxL0
zJ^bMPv%j+c_Q=gY9f1gToLf$TZc<4vO3|cx;wO*Yxz(6J6OSiN62FtfLuM$^%PPs_
zw){n6`e@M0T7QTUZBg&qgq<o~0W!0r==1raaND<#!sC9A;XVU*{f$K9QZU8YC@aj5
zes=no9Si?zRTvrIu?gR^zwiIrf(65K9`lVOWmbV`#~5Ot{Jk_4V;{X?!3uMP6r20e
zAxOAx>_8Z(%~t4MKKht}L){JlOvtc++c-XbliZ;ID}=ufXlZl1k2(mjT9g*}7U@18
zdjtEiKJc5<Us>w2QoCx}Ew}33>GaNyo@*hbo*SnW>$LO78>CcoJiGly&>C5Zc3sE1
zF!%vBLhI2{h>mAICs9JEIu~=qq0OM3YC_w8l=eja@dG*=jRVCDH6wux=}ID4VLaY}
z>GkKq4!=JA@_)w(mt(x^Q&pW+UdLhc5mzTX=lm<@@92gm4f|@x_KW9XMmV>}PG>pi
zq9obRzA|h}jNTH=S(F*EB$|;0rRh6Z(iNlRd_@)x=)>3xC0eV7lLhR`$o7)Im}dXl
zog%->*662c<Byz*TsjjQ^XBpU{(L$)SX9RoXt+D(#DRI616v{*(tj=GPA&h0D<3^<
z<|l!)%BN`C!(IF^sFF@6c!hn+jE{g;oPt_UUyNdcDKFds!n;_p6k?N?c#YiMr`of&
zqVbHUOj($aX2PD+P|(hblW*wnI*L)SB50`~D=q3Z`X68q>w16r#g%%Zr+O+V{l7&z
z5FWl>Td}d5xbcI9TC<w#jH9HW!jjXNIG@Be{u?#bAwg-lH_rV+v$BX$)_7a0JFBCn
zKM2cXio>fDtBpmWicKPpj<VF#9lQs8vDA9CyJ>9couy4Z39$PKZV)?`bH)79A&ME2
z|B8=XsGp6C62_yjX{+uv0z7$|GkVm-O{9F%6uSSPt{af(X^FX{l3#_@6fIvN(Fn61
z=79{FfGJ*<T4mW`x)!StIeaXvc&vDBBQ^JyWoIWNP-n@~V}1&d9$=V#f^*V8`}*un
z-#M)zZ1SYtEjYVpffDIHytI775=&?di6yZ|yVn^hGcDqX^+~YAWb}61pF~m~&f^iC
zfNJp{oR?#YP#9k&;bf<Q38i+GQ%g1PHo>Fxk<=W^LbYs2WYr6aro603#Uauz^VuV<
zVyci`kDoxjX6iQRyV-v#z<;o?l>2oamO>KEcnXA*^MlE5{#0|Du-+=%5?X4=YE<f7
zfd}VvAeyod(5HGZ;QnS<_HS$GA5H3NVw=o12-Z1P;WA!Ei%=eMk3G6-uK04$V9;;C
zt<58*_A<q!@olP<dcL#vOl9fxyAwVdn!Kky)l#R}$1Ck(1J)k?amSqpF~eg&+0rWg
zJa{GM(PsJa|MubqP+;9kOyIMBX<_V<&(poJ%y~#bG}#jMfBjDJGqAHNairEm#dIl|
z6+@!orIa~$LGM@uIsA@Xs#KMJ>z0aWm>vrSPnDvYe1QP~tv8f4EY`(la4A<Ty@%)N
zM!`G3*iWw_J^JpHAgk~Tl8@Oh(%&yelL%y+ug<GsD*Ck4_>74mk&f+tgYVFdG|Dz=
z(KDw#i|~*_3e4N*A$@@ZsdTIjx$+tpuBJ=)c7@+ix_Z(zbbERCmD4j9OP!cAyH28M
zIQm?`2=#yfxd4AMBT8<`Dn~oQVg>qW3+<DQbKSfJEy8;MRR$AGDTZm{er=d>(b(o&
zjd|b`={$1tUlj@!C4wWmSLa>z?SRFs_f=$g!^{+fu62=LYJ(CgnTGexkx;5rBvvg<
zy?65TQZ=(esOFh!1r1Y$|6{K*A)w2(Skt8Yyt{Tq==K3p<-0lTc};m97I48!V;yV(
zZgsbu&V#0i!UsA5<FAxsDwKUU@SU0;`7b^Ft+kXaRJ6sQs;o}`qx-A@`}&p)sn_fX
zMkRA6sN`=?=MOZok^J@Lql&$lswWy!$SYAaTzV3@x;-zO_9u(FJ;beEwy{r8(IN!Q
zbm8j^74Pwxgp;V>(ELBfzB($ZHS8A<1Vlno=|);Y>5}el0qO4U5|D0??k?#r>28p2
zhK?ZznBk7+c#h}$?)~Ggwb!gYd##!M#`8Sy?`aFmcdr!6E2&sVjrQ<fzt$D=QZfJV
zyef9S)B<R+0xsSBO7Z*uxyhhOx^mQU`v2@Sj6bFSg%A2$4#+uavRnW;>K_jMoAkFs
z{P3QfoTQFg7;RQ?lTD(v>F6*sOgKeqM404u<1{t0{i{=_mZr8<8dcyEtm3t*B=){n
zri62<k$xD~NdtJ+a8G%Nj-swRa#Vr%!(ZqAK~1x~zx+ULGo`5{e9!(MOlO(D(J(Q~
zju<}iozrkM#gYA81oHnD_Hn;_6t<?xSWn;fX*9^`FuvXmaw#fGO^cW;={cFGy>9y~
zLj5CL$F?V$YSB{335!vF*r=_-EF*^ykr1WAty*<l?d|8`f)FPKGl6-p$uyY2y686)
zu>Y<=Y1%K~;^}ja_UF~v*l?#lI-9bsKhl*V6#oOWenXY0U(So8L*!n8XV0Kkgs-|l
z^=MsAHilO*Atrl3YHu4#w)%HU%)a}U)VCn~*gQ;8!Fh5^uLE+@b<cceUyb}hb^8Z1
zKE9juiqSAQvZS(<D5kggK+8$%y32?XmXQk!;ZsW)d}s+QL%1-x-&_DyC7_i&SSBL=
z_}C(z!3`}ZxCmF<IZkz=)DHb$AlQRyqfg*3^iuos>Sh3*ru#dV)C*aYP$RKm+Np`b
z2%HAu0HosY_A&8oNoc%GTa7rz*m#!OuaV!LDF!!t1xXQ7A?k+mfB$3Np_71u282xm
z{6EVD^}Qsxc-l?wujd`Gdha6rj9iBWBUC;V4NU0;?$O!*Z}D0TFEg8i7XUTE;Df}W
z=CbzbNtMU@DV^vq1~Fveeqm|ErMEq0Sxx6-Egf_p8uD>XCiSTZM0h7GEM;>$QUo-e
zDfa%=wxC-wNQ&{oFDyO9n4OZ~&#0h|aMA2K$E9ft)rG;sRf04ul-o6Ed!NS{!-okG
zA%sq(3fI>W|I-ormIM|LByN;lwa)l3x4xRUMdHnX+5C>ZJM;;Uk5xacO6`qi*jc^P
zkaS(4Z3gm)j{2_jW!?~AQL(xjbn$>Iv>K7gR<mvGP509?Lur<y6Z_j45BHv%rBak1
zA_CgKz%Cn}8XlW7XlwO9OQXOAhto--S|0eFL7mD~q4~m~*$IyNyqch`?1OcJsajQB
ziE`oK@nY@nB={ydMY)h$SQmcB7CzY~BlR!FSD=HXX{j5&$!2d3LdO6R%LS1A&FHGK
zU6A~P_3wQ6=5@|JY6nNhbQn(}V0jQqao_mYvOS;tn0R<mZCtLKXx-_^5Y%v7To&RP
z7UOv~JTG+WI!UZYkt0gfU1SmIwmvi6pNg*xQ(n%cUyjiSSY^4$#qC!n7;X4^VPB}w
zsulk(b^~Q}i@;y!u2a#6LKNmdf?NVx4rzVgR`m2Kap27_TYj_ENng}rX|x|6%&OhO
z3D7^wN8IS1A@)t}&NMiAxGaiCQP*dB$e}ABXxv_}@m|bd{MT$tvjj=cr!HZ@om0fY
zr6WnEzN7>M_!+Nfz!g{MYplUL$6wHQ+DHd|1s<Hll>aet<w=vaAz3Xq$$BjF6jYa#
zn0-+!J4Il<ah=u^y>BBOfCN7;sFc#w4af{Jpd(Ce9e;0I!-$<EG7x{p7K30MId-dm
z{VaSfaP#}uJM8!64UPcp$~;oKa-t|B6y9sd^CTz;x&FWOSg0pZ^_Z;kKNcmyY)ZHw
z4q_BXDOQmJXd%H&9Mg%xoqp<AZ}d2VwL6X)7k~@sIuCuQ)yE@Jrsc#HI3uk~gO}kF
zER*t1@%d~FUz16hE}Tu0uzgod`)sqZONdMbIchL>G?D-vE2=TuVJFWj4Z~y1A``c*
zb*t-0{L%d2UItHoUWMwta|yQROK#&s_7oP!Lc*2_ABT+}qO6J}nPST+@l$oacBUY!
z-zP~m^<;y2>s6hT#P*lF8a+*)-3hU6(*nh*h`AxmVWY*!j2#nQT+OVMpp?RJ+$R0v
z0S_PIdO{-kI`8UgO;35MGjqt`;ss8w7}kJL`1gz|66%W5+c7+<RCKmC*ZkS(jU-S<
z5Lzuo>c5NQ&qCFO`PncmYy4lLfq@rGgIS85qORmnzcz6^x8w8;pYz-#!Ef~zPfPb)
zL1r~vVt2o6#v267^U*$mTM2f7w!WJD4fpP#joqqbcQzApIN*7yoj~>oJ^P2lp2SyP
zlfbiNI>HT3haqn*@psYNNUE|g=f1>S>txiJTv8t#ohBt}e;9!S^RHUo5JJ6fl#K#6
z#a`PTtvjJa+M*sU*LulceKJ=Ix1>|pHH{9P+-HPFb}|4uZ^QRasQ5B6YCMi`Q{Fq5
zGAQuOn2yI3gx}b&-}3U5g*GC{{lYE9o=``Ti^T2t{LdOamsNd0TF+wJyS^n{tl^gf
zHxkP)xygxKOQ1@5hsaa^GRVNBQxxSHnWB*Px){n0`xog%P@92VWYZ{j$!10WYLz~)
z>9?v<EcL6*)UbK?Z}ScmwkgoU<vHAzD~+2jJG-KxKm(-WtpnnKSmzw`C)BNcVm9WM
z@i=AbLu>>KQVXYYi_o&1w!VFR_=*NOSLkN>$Q26<3jo3t9`E3`#~tO}J7M(rGFwRG
z<I!1V^4|C=&{n-oR#cD;12)mOMa*a_+(qWmkVHJ3a(aG>iMg0_Llg(U?({UqCFAV$
zl&NtxMwB9j(>_3E!9A19x@9!&y)>F`lLp%I6HE#Q)7VCzK7~U>zcBR%z@h$ysE^x`
zt?|b@g5$aYo(3zGknscQC_Y_Xd!V`SY54Oz@r`-Jv*f4dlUs+AOZo6}t(;d2NukFp
zxj!;#$x&`y1F{;K1cV@v2*;fm@7wqS`~%aygpzw59@4b5v|Z2`!EVZX=3)7)Ph<da
z=aUM{BztV4h3Te0`DzAv#)-oQOVLOg8sEn??+Z((gZ_4kt%)fD8ouAe%IhCx-I{MH
zE=>x#NZIVbex;zItgn>tnGIRtt;|#eFwD=3#OI93p~oluESE8N0HLBz!TJ5E*J`rp
z!1m>Hf@Jr-2jnFUx;{NU+JeEQf}3sGpbQP7g~fNG+Wx*mwxI3&r&!E0N6PU3B-Bbn
zO|S}^wAzfQaC-mY5Gkq{dqBnP-kjFNI;G5A@`t5Y>l`vyLaZ5nc&{`LQ0OS{=J;HP
z5zpF{jh3lj;dsf+OJJ@Zsg3l}WE{c^QX|=?h51=InvX4O=Sg|pUE3zTQ7#&M@C6xa
zaylk?U7_0AOHYbC*hRX%!GiN4=Jxd5sRpPI3)5%CX9+;QJ}!QF4s9cdMRTB=>~`sS
zYbSWAszKV`&b>$nIc)Ux2G)<PQJ#71Qn8X@V<Madv%HyaI;&I8>-7Rwhlr@U-+$>f
z$vr1<4j#Akw5)wB@{wcayujY87+!l1sco*P7loV#9~niDA1vsCxw-6zLX2ucJ)LYg
zPL{}S%e80$%mQlAddF{5_%$iOlnw2Gv1G#}Vg`qP>76RqwvRrZPu|nH0i$edV4;-K
zDc|FY>h=On8;@iC=EL#z5!i6tp;qP=O8p?pzcKyiE2LjO<P16(i|>O8Z?tL2vm*-c
zi)_D;XJ09oiMUd!O4Uj77>27Urb!~i&^KK29x-<oggFBHPDdxTcG|B_P$u3`j47dA
z;>HEJFc}iDFNJetm8*Q@ey!sb0kw5X{J+gH(8_9uW~^^s{Hu?>P8YlxtM6W(*Nwb*
zzjT;F@-(?9!n?2rp=sXg*BkB{w+434OvEZPcYI1Barnx6`@_P03{PM;w>{t8#?h4H
z*jlnA6#v!UDxMzo*a;CZRNI$=hM7l(iF`={zd>>A@;2pUb109F^sb+gV|Xrlg?W08
zESbc$)N40xVT9k4dA1;6Z{+x3#&{~dnbmL@JMt!f<cs;vHzu4XE7d8%5GLt5p8=QV
z1BmBtd*h=PlM>mGQ1~sG$6)ceNe3H=`$6%uWC?(;S9j<|7@uwRZFg@dR>s{xId)mv
zSy0{-<>c}V1+&d38ol<rdLVJ+c>Id4{nDH1{4B}kW6#!~gwU3>{%za2>P7Qhha18>
zp7H`@%dW=~E<(TI=Q|5{Zs(z@Rc%*XoF_L^DI8c(XXI38+#DSotKP{YgXau>Lz|k$
zkjsrco|t2mQ0qPv>fUH+j5sJYkjoX|Y8F~sjI#@Rj_%IZMrUi8SFM>T@MMN*{Qm}%
zbt4<C#1ORUJ1^M%oh0mxo=4nvxs}y0E(ZdlcE&`PeFjYTB#nfuLu|M<Cwq*6Up6rF
zb&?ZeldOe4$C5v5q$-esH#%9n2vZ-DrO!%=UOSiOQnc1|B3;*eg@vu^=jYw<=)HGz
z)*{UGaPa>0IT*m?5!trY8*dyN1`jQRs#yo1#Wy#KVgi^fUm!Ba7k2o7<|{g91qHiV
z?M`icU%x6XCVN3I*0onWI|lyP+B>Xkq+;M)8kykd6EYknTXUA~KCV>d)1RuMVQ!E`
z9QlHMaZgiV@<T|ZD8D1bw$%HkwJyWkUtZ}Vx!!X6>@es)qwVZVXpMF<%s-)$5p=N1
zq5JCvm3to!ewKe!3IC|MrB;e$_RcX-bo5O*SYjC5+)Pq`0$x91Z$&LEp2DBv_K$2T
zQ0m{&hHnVF`cyZ#Bkmvct#hd#Inl~zX4o(hQQA!&u|(aVUZ`B*k433JLh$vonemQ)
zlhmM4@G$F77URGwUgeWHao(#I&jOEaZ$aB}A8`NC?luSHBLq}_x$C>;U6Agx<3O_o
zrRhwoqgtvgE6rle56o~&wp9qgoJ&12`gvaF#wxeo`a1qau`EA4&&SOi#GM*jZ^bpQ
z4KiR?B1tTI#|^5(Y+QldqoMP2rxfO80A#VkTl%4$xb-#wP2V71H}mFp?~7=j0G)>n
z=HQsN(RiG**Aj7N;{8OUzJL@wL(4>+rp+SL(Nu@B?7ri=vixAKypIUvpmjX~kHgmG
z($vu=?L?N;=*cS+EPJwW#fbhWI^KDx49qO+q_%Fs{ub(M#kL7h14m`?x`#>slMwa#
zJ>0!(MQgqA5{LD|pa8Y@5JrL#C;KOR2RF5}S_^QJZ<(L0Y0acIG~t;=wDE`5)bz$r
zt%#KoY!r*1o_R&2J!?t~rpx$ByH;!of2;@9<QQTw_+_UDe`-DoW-Gyq+4+_qGpVlN
z{S{)@=QzyI@RAz&r;cVj2vWv#78AX4&IY<w*JV;KB{hQ9OlJy<Ue#zU$g&z~iER@{
zplE0|HY0a+2Y<?}e|#O=jyKXi!Ao1kzs>L~^Wb>%%FcGFb=>U@CTto37JB(|gY25m
zYV_{pGqkwq4#-%|V^`n`FHf~!QmZH6KF;&&2F=u&V|(x$n*pL*!X!G*uRfJl9!^>X
zt&QSZ&RiX&N;2I>xEER^y$7BHNhoOrv02{^$cu+R%^Jln;GQv;HQL78L_*jk^PYY-
zc&uufTUsXZWctdfc>#_bwgtRp3Zcqv!{UlKU@+;FEoXu+x*{gL<7VCAqB~^hy*xkp
z)BGA!ZIP_2^#_i#xRX^KR?B&Y<UNGHHBtq8IG6Tp-&zlD?gH;TF}z48GvA?OUUmo`
zqY|0DneRi}{(Hp)X^)5QHwwIoW$X#hY=11h+^wUV5}%D=2D+!1R0N2@u}U?F9#J*B
zCsi8shu6DOua>EXX}u&s!1*EKm2693uAcAHR)5Bqd8E9#+)J~{Un^=NRPOFf1<fZv
zB>&3s8`ZavLlO4>G_AiB>pFcIS<6URLjrBiYDh2O-}ct1%<F1TZ>Ue4i21B(e~#-S
zS~UH8#lEa_MmjAWZq1l@f?ep~$d>!%?)E?i<r8EO4AjNRCTw#fakX4LMXilQgPpj)
z86Zw_hQf>!5=b4^lg61(rZV3JDww}~)-2Z7>FE7M@{3-FfSm8?I?fp1&1<VBs#dNn
zL4Y$KNuxD#R75PM1+}nnYHr2qp#z$9G7cS(J`{&O-)dKCO3WFrD^cFnkxm{$Ez3-#
zZ{;=yMtpYf@Ww@OytDHxYt!G{S}|<l$9X7UI9nh}6;K3NuY)|zRjLGM*^Ggdv6{8J
z{jvl*xq)c02Q$wuqMMstMoc&cMs5}xU+NnEu0i__$zNe^YGIDTnxJ7RC>ZORsCFW>
z%B;22D_BrVcZ#B&!O?_XMW<3Pt2;pfF$im)Rd4hjt4)QYoO!*92qB<!wlsD$m%2hX
z_C<;)G@UCdoVb5LNyGU&@CWYB9}csi5`@pT$awQ#zxnG|u&v^QA3Wd#%t*;OR$Lp)
zRTKvs*Ulw1IZZ3?ieCk~Z;?mJWKh#DRK{|#nMzeLy-NBJf=WlJWrkjr<|>uU#IfCw
zkOmIC76+Xpee)aH8&0|honX=L^ai3OBB$y$n#W&V9RPJatkPCLk|@0LF93V?EVT^E
z#qyR}?q;;N1DC}~aJkME%u|cuo-KdW77AFfApKnHxtAk8$gvLbfmX%}@EpgzGiI|%
zo0IVMGniSNS*8icV~9D>Pk6KUQ>g4`xHsh3kwe)%D+eyS?5tT<_h+5r9uv>#ZkFdU
zGO*RPU4DKasE3!~(UO*&6om%*aV?Nckm>QM;pNo`p-!oNl$iB>Z(s7zh&;Ed9RH(4
zv+y!+vq$15Hy|ymc+jUCvF|^v>Dl9AWYQT1h@9;D`oHM^ZDsL$bq>e}^LbCV_=F!H
zppWy6d>oL|y0X=#)wbI+tZGPk`SvTPN~s3583%CTs<x_awQItQ+XXv{Lz9LSBRZS?
zXHy%AyEZ6KBTE#k$6R?f8#h(<kK^YZ|F7stIluk^CpM{n>^l8e{#VN;2hE9ltRLEg
z^Iph1_Yh5_(Z5@SJojo1``7_WZrvp+N@px0w9h{p3Kw{O<l-tHJy=-pa6IrNl%FSh
zHuYRl|Hblw^==SiDU4a#Rhh(BYb&IyBi4@sx}XR;?v~wA`A@Xdi<MHDpEb#<CHR$9
z^Xmok{G7@pEJso|$cEF~MfZ+($-fLnMS||BU#Aq0pp9w2UH4hlHX6$9vr#DMaP1H7
zx;wdswzUWc(+})*CXeW&5FEfi-d^fD?lnzp_UrKMeED7~s^z&DTGWdV0bPji&bUH^
z#&w#iMqhtF)5qC&b{<;x0Xu5u{K!G51q@0%(TY8orZukT#0Je5Tc_};2Z<=_ykY(=
zZo)7W?4v?Iop{wbubRA3cohSd=z{0m{kZ~?e4EQ?!|YCNc+iF(7;5~&%G1#u3qciV
zaO4(ii$6j1(E=&AsJlG%!CyeMttL0Zo;rNAzPnL~?)^@?RO5Szhbyt2f1Lo(3bs(O
z_CNjeVsfNlA1#m5K~H)ceFhKNn}Zo2y%j^L5aEq#JoOPQZH}RkaqkqFEMC#P_LpW(
z$qZ!CHybwPh<xpbSGB!Kktw|T1||!Uk+`yjQ^>yfPMWFDdW=oHW>ZFku@j;N-4K25
z>&$@wS4d!8eZ%0FLgZ7j2<>}8fzPts9BJ$yXOhqE;?o<>U>$~#)mz>QL|152==pBw
zx{tg845o~rp~HXjs9LpYL^o^Yas&*Q;Oq2G>#8X54^*qXfaXU&g;`h1RllH0NNF13
zZ}f7J_Iv+>F7x6>hsQdSpUXv(mpfW?7pRD4h1}V5%OjY4mr8F<H=JJdkr=#`*y>^v
z@5=|aO5qdE1MizmwOd^}njNHQ-R?X~4qJf=!V|M(_u2reo=>8>za5CX<ez;TuLupG
zuI8nA>qLl6q@el85SjyoHU0GDY~?dR)V{TwD}je*9u5m;(U+g7N;@UN{TIMpU2%8I
ztp?d{pKEIo>FwRFMf-i7VDuJnvgsIz;D1g#ZYKIC?!H*^mx*G?yvO_>#vz3UgkKRj
z9yAAP6KF<;-5zp(y)`J=-<$CvVcd2zf`0_hIxjbTg<z|r-TX)&jNA$!wj#gxFw$zm
zo&*Lag@FkU_wMJ@F0Jx}yW%s8$+H}z`1osQOgU^~LTv7uA5T&MgClZ0J#)+A>v$xO
z+hY!sTi!b#b!^^RI-<Y%Hp9S+Gt!9oNq17QS`IVVJ1f*G&X{}y<YNBiOQLq;;4C<4
z5F5u-j04Y{{;^FH+;g+62RZL=92S5angTZpo$)g)<JtiGSUY@GZ7S3yKPL{qDZI5#
zD<bEIT8HLOelkg4IsOwx{g&Q;qgU^_Q*#wGy``Y4w$)&Z<jge*X)p^5aM=6|>*0>k
zm)(d(de&_%f}`A1FX#JYvIrf(LVV<fcB*DY4uW}HK@-v-LxI*;mm>@K_iTsS4b~}z
zm?vJ~Y}KuLvmBm*F-MeClZHVC2`5e2A!rHV)Vs~!Z8x&Ve^s33Ccx?WkFTJZ4ld>P
zYIwKch%_%b;@H7Cl8EYaXVV-(|7wN~F8;@x3?5qr2Bv`C+yY=x2niISS|^;Y5w|a<
z`v9hGI9+dVhVAi*OcpyH5MKG!bv{Rxjh!=5KrDV|1;=mjb(!Y$=d!l`))!>pk3!Uz
zNA+aFCc$Lz3l1#Q&@l7{4NA;aD`XDO;<)9jNpfD6A};bgkI#-5Ka$33wEDDV?-y&D
z%YPO+dhf&))F>p!1IZJ^u7mUsrVH*fmHhV#Q1C|bLl+h2R{)9t@FSL7oHiP#;Joch
zzDK5{LsJ-AQQ3DI$I2fQ7b}aktEMYSZw!BjWF;i}WhC!|dY&fM++pO@RBxXieU^Qe
zA8L+kTE8PSOnJtVe}xOcM!|h)!SM7tP|Q%qiiM8lHAN`CWdt9FsET03TYN=9!OyhP
zI!iU+#?G~)r*zMC_p^=<mnJ@JmuV^Mw?Ayx7y+4%r+|(W_sg|KPjL{V=yvZvwE!B$
z0BC5CgVVg=p<PW7&7rFnhJp%{#{p%hey@4+Qlh$c)XlJB6x}FUYJucjs6dG%zUn*j
zo#(K|MDk&!U-x!$ovA{Eb8HM~y^R{)Ghi`s4J#24rdW*p9pwS>gF*Ur2@<{P!u{;b
zp7Q#|U*G?Fx<f<i8cdf}v(`W#ZW{aGXY5_9lLR{(H4WiMgW0m~+?z<vSU7m){&|Hx
zkl*$8%uL&oO_4|7-RVwO3~d`X!qK_yhLlgYQf?IP{Y@)m9v)^$_O1@+Ef7Dr>l^ZZ
z7}=1epT@N}7%W0K``)x)W_=Cza&O83jeP&`nAMpzgnFYZS<r+R$xLB@gk)XH)c2@t
zma(kk8@d#v<LwST#X+F1fUjzF5&_NBVu(#)RmUz--Co!3fj`wYY(ARx@PidMBE;#U
zLAU0;VP!u0tr~;YM_`fUc)XYS=g*Vy{&Hj0iH7_{W{9vDFwo0i1kMYUY+W>iC(ZnO
z?E(tq)lfc4j0mb>=_n3-elo{lC~<`l2vUcs8EE1qu3D`^>4OTuIaigWK2~o#Mj1I{
zHz7()c4?Q3@zUQ`)WbrIJB+v{8^XHik}X}YKmkftNIDmaTL@>PbN%(czusDG0{0WH
zJk=Dj!~gG{__Y~B$b+lp328P|jjBRHCK?yjeU^7?xhmv|Nqz%P{pFf%U!*C94$&Pc
zvtsbuDh#8RzlT<GJt^I95Oo%+S8B?WbnLU%YRRA@M#%t;cBnhcscUyrtgnV`y;Jta
z#z{01K4Yp<QIeKH9*@yoC*^c$O_pY9_k<$Ws?Pv8-s1uwc5b5s|Jj*U+1|1!2EFf-
zjcdKy$YYyb(L!tYs3qJ;-^7(3bKcThdEWp83bu=6i^|qO{Hb&78F-glg0Yysy1)bB
zcz3E|KI@9B{;W^(>rW?D2ZmL?j?P`h;>>NJv~hpe5c_u%10+q!uI7YtL?zDyoi7h{
zT&=yoWV+pGTBNRt6j|{Hd??p2zAurH2$f;T63<vATv=F<9$_tq!#j+IrYrrmU`C{q
z^<^o~ms+{*Levuz&N5#VeG(G1SHB{c`e;J=tv?9`B{kGiwsL6vW4qKm)@&*%7`vZ}
zB$}IQ;7g8~<AzRk^RzkLd|=IW*>+B1<Qwe3zxP3q2&?PGul^6O@&9l{FEZtdVmQj2
znXH!;G_tZ;{Zk$<iv9AMefkIMRAiW?xh1Ki_K-eBMsiy8m^8QdVYfO!d`IC&Ti<I(
z?mhp9ec>waXGDWS<WqIdfN(;YX>nzdPRf;yI>P=<XEU>}{0<|LSNjk?>aKw%Qh)N=
zJ&Y3{e;@BjIxHCWURWx2R+(D25oTG|v(snKDhBL%kq3*60vDsKk2<`srg7*G;Lx^G
zmG&ftz&aUDS5>}3V~?6-L%c?;Tx|()e!NBrf|VtN&^!p_s{97<o23!h)NrG+$}g0c
zq_D|ZEf*g5Q#Sy&tPZkFLfxYy^~Py{98dh3$0-84?Vil#o73?WO`M2p>-F|<inhXO
zArw3+GjW{Xi-Rqn?K$CdXnRunvq8^1bNDvv(~ODy-oiwa?z81GzN6~23I5<FBgv|R
zxsr4Z#(^f9f>K2qjjVXa#G9I<649&?G=%4ZFz~;w&s&)1aDLQGFcE}*egFGu_9MK*
z+6a9R2>zK*V%Eh=GPiu}USV$RgW$xn(VlhjJ6NEmIANm4nTk#Nh!ktQdjYh7$4>p@
z*A{<%Xq{p+Q%?f$C5~+Y6pT({R8do)CmN>}^SD#JNbUUkA<Reap4m)TE?eOh9ILA|
z7sgRKg?zSr8_2pXbpk`y)*_cto?ouWXA8`(3K9K4gGJa?({t(~?2)U|tNeOMtV=Eo
z{!FL8tj#M-eJAxMlKFC8K0Kp&CNv&hc}%>XroP!Zu2FIg+VI9LmUyG0A96VAC}X@;
z%DMzQQ2lD-HYZ<o1f4v!)z9a8GO+GqV~#9i*mtC%=%APxf?~ae6F8pEBS3ixS@x0R
zxoMmf(7nJ-9Rh^k#7;PX%9B(xASV!kY3(R}|2?27C+6=xNeB~^cO<wzJ<AT3Buv2n
zq{Ml6eNS0E6-%$EHd^paNxoM}MJCW>M@s^TK%+{0REnC*GXJ{8Ls^oq6kRFmdgtu+
zIrC52d6S)!VX>e{aYi2edZ`Ra&ON+W-Umua?QhYHe((j{!(SG|{VhR%3DH#Y4Fs4?
zxS~Q6)bW5nB5ewOr)8pfQLQfX2Y1qHDGNpeIaTM9z4~E{luVarSDVeEkki4^_0^>~
zasG&&2O480+k&qIVf|b5i1$bmYH)EtL>tH}+08^cesE#q<YS5pO7+Ru!#-lPRgUZV
z2Yq^6W)=$>J4qF?VH}FdAt3=)dB+UK#l4YdPf^~-f!-kp!jYfOI8wxs$zudo(<a(X
zn;ERX0f6!)z|7vZs+Mz1{M|W&%1!Is=f=Cx_6G7p?Vq(rxVm=MnLE;TAL44IDv4k8
zz+ZVg&89j#f$qnyO4e8903@Dp6}x`f`kA(i4vNN*%LZ+8#;WlKr~a3RySMJ=5bJD|
z<ce(H_FJ@;oiFkG?8xWrXWHHaSYY5<>%oC(X0|1BTSQ}wC2Q6husI4IjuhtCWk@!;
zuq4UnsqHSrjRq-+ql9G!c7m8jx8uFAq`pPS0(n+~Gq7>ldsbC~ib@O+K}^Y(juV%~
zIs_UNd9<v>L#oAwGR->rO|8J3HWxJ2dxT{U=+O_#-5yx7&)Kj#{QP463)<iBf_^#+
zcA>!3;AJ|$BYp{ur~I4Upr52P{t2z-To1E0hSO#v*D|dxw2`Zh&FgPDx{Bm7Wo&s5
z*jtXJ7ba~_JEL_y_ZGPlTZIJGbsjA!9{ja!-l0c59mv`ifND*qp4J}3JuCnyS3&BX
zYw*aSMBW-1%3Sy(VuE{~KRqdiq-5i{UJt@Yu*>a<<4c}#PvBIUOEkRPu4}Ci;(u(n
zRg{;<yRIcp!#A@qd^VQG7R}#7|8i{G5ytT}hjvD2P5y`5E5u{(IQ0#Wr@pG3z40hk
z&FwjZJJ>bMhWDQRGKSACwW((_wZL9Us-A0}Yobo8fT}|IH9I12Xa(t9ghxmm<BuJ}
zm`-8NLEymy<g>?(`<cD_3+m{r%&prJtF!mE^Hwu9aGc_rJhu;>A&rx1wrx?ByazA2
zw+HiNTYrlF<^ca(q`~(TzOh&Ju8Oy(U<CN5rgeU<O384C((iJWG}Fq%Td~(ta2ChD
zTvZtbhFVHN<|nk*#7hd6vkMA&*mteE0e;hQ&tVJd0hRKvB|fU!5P`H$ntJl&8G{Ib
z^i|J8p-3ISsT=V(f+$x01s~*SaC`o+;4dz`AhjE38JIC1NSCQ<-4$DE^Qc&C7~%b#
zq)LrR=n&|)HX<bGa0ayXdE`qSp_fSaoVCBY(OZ+T<vGRX&QMPmEG35HPR3*>l_b_5
zq(H6UNTg-H&xRKAiSKZqINMh}iq7sMe91cKk5t3Bauem!;xp2I6$;_NwD*Hk0wE9b
zT9A%==`Kn_=wfG0sH|ko2-Y61dQsE%Et7TS&hE}^rwn{-z5N<Lf8zG_kKW6uYWt?f
ztS#5+>qUR<<ZS<r8u94jS*N+|jQK?X!d2<ET<%y%`3FE4JVf%oGlV4H_3762tI23C
zdQFEWL)mfwC@dECZyDrY4&Npi>_2XU1~G5wrqO&*(~zqQ-1R7&%ok$&Fxqeq;W~jv
zA5B?0qdOiit?EtzW;2&Gerog^(9Q+TJ|}9Vk5K_MEU0u;K37)W*<|=FOQCW7R<LS`
zGjK(J_#^uhJe_A=#izW%QV#pNCaxqLJs}5&XP=1g$2ThsA$vch4}zI}k{}So^+Mlf
z;Dq_fwDF#Qb@S9Q-&dDJON<yR(Mx_bxKu7@I&j}fXEs3t|0unjOyTXPbGlT1V>)8G
z)=3MNv(8&96CfpoYiUl*R$!a3WutD!{F^##YOfH&dh<2){VqE3d-}fFt#_7lfVvP3
zExr9FAm2-@_P#@=+2l|r+YS`arKVdaC|z9v1@YEvKZ#_<(9>n+LC>Bnqsbm?EPY;t
z%`GuoJ;N&%G}0$?WwqXzY}0addv%(%KIre^xR2hJI~j~qHfqY(02vlVxBgpjl)zKQ
z1a}%fZ}BLGHswQo2S_9XiTgD=$XQHWSijS&8)DjdaY8GPfx#0$Vpfxuv(&pe=u9vn
zpL)185Ld{uqlEB+)q?UrNErPWDf92W%KHVze{W`}Ea`5CzJasBZg0PO>C}j@p8LM<
z)_vsF_CjY66Zjs_>`Gg&NWSCr1$TgY<Yc}-tOL6c%t|(T1Qn9mOm~_2Ox?kinLG!0
zYs|KY!kvmNR`tzX;PxHHw{aov_#OR-w0ury?#`bcZ0hkvO_+Q7y%GJA>?spi0x7B@
z$7xC=w1b_*)JeklBydyNgo}F>1??Fbl6U6`bSZLtQc0JN?g%;5Xgk7Cc44goa&bql
zC;K`s?oz+IoD=AX@_|%6N!ap0sOo$`FFcN#0W)x!JhyCG#J$7VNAC83dGY-{&(mBz
zelR@vV3B5@s3=qRtaV>W%Xd<0Mt--{bmtuYFL|6zjr7ej^f~_V0b92~ziG3{RVB;l
zZtxBp%>h|Swp@d>e-%)+WTASh@-V2PalIr?9h3`a`l%o_8dVwJAaNemXU@haNI7{a
zoaeorp_b>nB&RnEx*I`eD$%?r&8z5Tw9b+`wDoHahmNn3X3(5|V_+DhS$NoT7!|A;
zcp9O9j|CWb2h6t{&vOVoW0Yy|!zngkedbDvW@OtuCW6+VsKLjV>N5)yo;dAWck%n#
zqTyh~p((_^iPJSvj&(5NJ-seC<TgELxzdX!!||%RKf2h;emqB=7U{8}B50oR6Q<I8
z-cfA?J|_-T=_|ydHGkM#on=nE6`^FVw$8G^sDl$0)*1tBK4%_V@bxR@`6A@@XJ8Re
zU8L)JIJXK)Sk%dfxul1KHs41W+Y9!Pti5yIBM~YtiZbq#WjO)J9o~MNvYfD>1ZJLn
zdHikmb7ftZr8jlfW85t#P=G$-3W<VTc6*wsdlGn`PcKYERZ;@xysXwv-yJfK9&|`}
z1IJkbJqL-bx*m|5+xhZUo5v*k=r!j!z09vwgVwZ+vHS>$!aqJKsw8^2Q|d_?Q>>x_
z#Z5o%KpSX^qBZ-GL?UQSp8bStRV{Girb>a&^dof4782wN!W7TQRw0Z{m^31I;jJ1J
zbW;Wk;wIKYoeT;8eO4<t!{Y}B2a6Nn@4{(SV%ilbIJ3cr{E<kXU&4>J*G!_;Dv-sS
z=pYLQZFAR)Mh)E;%-0RpZhw=R6o-S889MrGjd&7Aut~MyO~hb(Z#TF9Rnca+FlwZy
zCs#h|gTOm>2{1Ttc791Lq=M&L5`(T^ND?a*l^i}NsRhZ;8*K00`LqK|*QcZ;25m`o
z8_x77ZO^wA8sB5kzVSr6)YnhnB$>243=JG;EdnjqnLH-UO=o!YE~J*~4l%Y<%Bp%R
zKkE3y2ZOw?YkAJH5ghlX--r{6)^Lv+>GqkbkNBXiwZsRu$>rmOCr<{-3y7lgwMH^|
z4yCZymV~Z1Qas8L7HDgj++4l6QbIenI5^HG@O|Rp&bThu_Q5#9H_(Yc@Gr{B7ti#Z
zze;2befNYQrxe<o_`ufcGJV#_+eOde{;Q!-dfd*Y`qLyvhW)60-MwJzwI2Id$^!aQ
zdWkNt86fZBiqq}&G@g$O1$dQFAa`56qJV?Q6_aS9TPWOgB1gz4TA<dI1H3mCa^QHo
z+Si>jvmez6MnHrR9;^$+oqZ~wRO?3mLi<aS71O{u=yWf<76w0?ZT4o4Jim?d5difh
z_>o>#7&3p9nX+Y|G<?9D&Qs8A_8E?2SLlDZ9?7enFs@4%6_=oncsslE<PtTzN4KYD
zI`GXhzgbN*Y<Wz7jE&ssdCCb&d;2WAH}{ilp1E@2w{^03>i0lrq^FA)1(ET+HDl6Q
z&)v_Vtqis-RpQh0KDD~l>tdluZAra~Z`k<cM8!wO^$lR5rWSUAeKLTlo4AbmGt^R|
z%Kp7Zdu-}erP=RO6*>t^I3$?Tql3PUf60xS8`iOt!NrtGEf!1pirS<`PBpfCIe728
zOf#IH##ymuN`UNnWVZqg#)9-D+(7#bDV(2E?y%47rI?M$u*JI?hhAp)f>08^>(_jZ
zt~82xwzRWrGVIanaVcCOQM()2jtj(M0EdmPAp(vxYYQXd0s$MNB=45bFz`}xf*q*m
zYm8j;adhli)vWT5Ts&R=+KsEe%-&~F>(kB?yxnDX?Sok}){ngr>dsnrFk}37RN(8_
zf$1YTf$(33g-1I9fb`+(gue|hGB4pU8G6=*dIE)KK|hH3(UhJcI`%%bfAv%)a|fNM
zzs$|$#xarzv~qM-V&35%LcN>P<FnCW;>-D<Xn_-4YAwV_&AwYAb!<)-4y<`?x#ty=
zvkNtoeJ5Fy;%0=AaAE%71@dAGjoySIwYgp%H8;1rcdjnel1GR01CG){V;g@X?|x_q
zw_krCx7B~NrywM^+dV?d(8lxh8#gtQb93oWMGb>2nw_($Ne&1w)j&mCV^R(nvoC=@
zMys#NVRpt9jW26};VThyR}58@)s{~__<Pye{t%zk;j$i?J>T}`L%)K$2z7*M%FC}f
zR0(3&gpDUFLOeIeg+mU38Bd}WYxl_^?<feZOd;2d>%7TrUM@eIlL>bAu(~QY`uZew
z^^nKeIM&+<P8|$&_jJ{sr4E$6wAN}5rse|3U&nmo%pBwu>qG=buEC!k2q$>`Fe7n=
zW9_{6D=Vvt&RnU^;O6Ew`$EzSO#4=NUMeu+W?VHVjm{q3dF3_9zs(QB`IjO@s^AHK
z*D4<1E9O=(KYrqAR&48sPboz~8(L1{r(Z=YI;ui5R5Xv^tt=`vo4uZBet7)e$u6?o
zK@<^|HuoonA&vzdfJHUq#^A2cTn*urCHlP$E>qy+gMk%242vya-`&ckIs$7YC#;~H
zg1lWt9?_g_)$yQ(^xf-|fr`Jl0r_@Z$AO)4e{>bE;$MyFTE_2*HklG&(5<$C^B;{V
zn+bW)S?|DRZjPLsH@@<?ToUH%8cZ@lS_p%t1!THSK@<Kd|5d41`)KHBhSkYcC_z=x
zna?g*gkFBbH+Wf(*wm;mHcCfiAXA)2z#f%|lSKPE5z*;G1?w#^M5Pnn$mhD&6&KN%
zxM$h7fC|hjVJXh{8=xAIlP=(TMK0Dmk{~`^T@Et>)BHV$rLS6g7<mMY`EXK3HObmD
z?GvykTN84HvgLo$AeU8JE9v=Vm5Qa$wjER=m=9LUdmgaN$8U0cL#7ugyNgMf4I}J}
zBj(ezj^c{VM{)jl{?Hp;7!1MR#^XO)zB^J=_cP$R1_}Ga{9R$?%Dz~(zkGfvE4S|q
zwS1wx?!CwTk>mKbsyp??2?)3nl<X*^hLQTAA{6(6PB3mZq!jL%sUWn2;l8I#=5ESu
z!>xjRNO9H#UC}k?Z*G8ANo4N`<Z(W=D(pVhtu@Ghs?Ss8vze416~rLT-C~Iy#qqBk
z)nP>%zBNAPkRSK)C&7nT$)rC?m&^a~e2t5o__6nc_)E=y5aussX&6%wM#0#<=Rbx%
zKS2a&AvD>U7ig`evIoLDr7oD`1(+Jn8~&8O642RSOA2Q0N@D0*T?gG0GKnGlrMN4Y
z!(lT1D6v#$Lv?ae-Zrw`CDFFldtWLZHI?r?j?RY@9afmE(;k(3g(g~WgbXKjNr?o9
zpXY1vIfBjs4O;M8hnz}1)A6kt{2u`9LFNaO?U5oG@$3(ovA%i>SnZTSOHeG%98eRp
zQb2`6z<A9v5~y<8POUvi_Q#S81#sy8r+g3Q+3h1%4^-W>q58!5b9t}=&A}5dBBF+M
za-o?hvq@A)Z)dx66l+LH*9FPVJL{WdxSU!tIq#{oe^3@l=MK*XW8#O<{aG?-(QkN|
z#8*tvhH}5D&rk6Bm7PttYL=tn)m#1sH`J$RgLG{yy#4-pJV+`Lf_c1OhJd7n2E^SM
z|NP<?SgOF-UtE>~S7gk_Pz~}xHKN-GxxTU}(dp>vukkKO<gexCu;CN9BWeO%ecE^y
z-xX|0*)L^g&IWHCXXE|(Bb8Jb2$yj|Xb<t9XMSBxn1aVYnzlmh{|x*uGe5FKc4Kqo
z{Y@jy^CyW>QG*pxExXX!qpY5q^L3AsB%%t#k>UB&8cc=Cd|gUONeqR(9lEc3;F_$V
zay5h*4=Hc0v>V3b;-xFj56_Z5!xEx6;!gkJ3<XvAHW<=Rk1BKJU2p!p`7Nyf4t?9s
z66Uv&lH6mpNdNCRw9Ru%VK{ycaya<^3jg0{Yj!@ohc<Vys~*978M>`?3hDC*$hUA0
zRdIpS>EPEy4uv&u9dX1)QWCI96KJ|hU}Rq@nqtU(An)x<k6a<NMPJ~gq9JHhE_e@3
z;!n)|qWyb#3h3}{^fokcEyQ9$EdOQR{700wi{?}MR#ih%D^V$%`i7*FHOle-_$mI;
z$)vkbr1mY(a&_14>7~!3A;B~2HvCd05=dL;>aY$zJ6xKbo(&ON6Vy7zDoLt-B1P99
z=TY&69YVJDgz3U-V=Cp;xakI@1T(X^R>v0iE4r|ghE!kZmj-=wdsn}~;`J}-Lum}E
zd5ASZiTmHh-IgQ;k@!<BBrQ+WXup5{LoI(t&C+t(d)pzJ<o<uJAt}9ocdR}>@tYw!
zU2g|qUU(oTR97u=l}E9CPz^vr2xS_&GpxKL&E8TlSuLd3!-%Q3(L6X?*y45YprWJe
z_Tr=tuoCX5cY~XX+rvaW(0=_MAge*GK6Iu*pK|`$0_u}N{%2?k)NmTG#WJ6BaQ|>=
zf0`hWv3+OB;X%u#tY7eFSi*`0)EzRm;ZPgo^M^40BFQBR3~v*GA3`tM1EIKkL7dUM
zot;-J4_1)+uE;;w<DtaUwDz`&Rf=7J8tH8~Q!BnKt|Wb4CvNSn9hGr==Ja#eA=|}j
z(9XTO8NY`O?zCQ8WgDQGajC29yNm_xio)RJfP4e4H?e@$_m{uN>@5G;VKo}#*}n_^
z&kp~uq0y0NPaGT9XLWRw9g@7+QuXD$`tgK^LZ>Jy2XGV(^u2#x>^Q*RY7qTKev^!f
z`(8ud{QUUK%0;vLiPyV}k1Pl|y0i#}lm(2<T7iD72&YCWRV_8o@u)oe>xW67zgN>&
zF|#h^w~-(Ua8XNZPQacm3`04D*Z(t$Z+6f`Pxj41!e`I_5sTk`!b|z!RdU;<>IV%_
z7koK9Jjc`hFFix=Wi;SwmgJw#F|JWjr#8;NgI9lCptgu6^fu0Zn%>BQ2pw*1WKC_p
zvgI{?9U*qpBqZ>H0Zv}DzBzrMTu6{kT~5zy)h0hmM$~{Xl78ow9blZ>L=(3{-~3@x
z%c}D3QUb2{m@{B1KUc!~?flt`t1{6ndOrl}-wgaY_m>O9F6f=2JWK?^AEG!65xf)2
z^R=9q_!%p9inuUw&Vu=8s(;Z!DLF>_5r1ztKjziUNVh-_MOz=<lUnTOn0(HpQhW)1
z(@{YJGdIBi-<#>d$#?JBfgAa2Uv$68@H2*<oK7^y;6@&Y{%{;wix$9<Wsj*<st92K
z9OySbi+3MOr2J{gz8yUys2*zx8%oa&&sA!vmAq9PR=}QSq3%pdL#(~)E(5Ov+^cbm
zFQnAd!;?xyoBfZFx5j|_#Ohh(&oTc@NlJtibn_`RA-Xozsu6efp?mxI-RPg+{B=Ui
zvcO&*g$MFJ=iDfAHH*3DdS@b{MqzGtrT$O?+LXpXc^bsuv>t77VV@a<L41<giZy+3
z|In~$X(S&^;!c;k{<-6G>?6L&k4o-%@nkNcnuA*I+L65khIeaJvb+^*KgZE{i^>ws
zN7>{P?cvn^)li@*R8Znk!HiIV`-fGbxKbe!{zY4sR-~|>{J)~*@0<4$pN*V)D{t61
z2Vn(!OyDC4vAc5w(p`mVI8}^hwYLkp=SM8ZD2Zo~qN^ND*-$TU^ty)yaPa-%Q;lT9
z_{+Rv9bCW!$gpu0Mblt5>y=M~Qi8d)#n?oxnE`KR%@_71a(5{^>ui+>4*!f1s?Eql
z4e-MbC2AhqlSuy=C=6TyMa;>(LGVLbfunh@rNK|&M$fVN#_H#JJ>r_3cIx)clX-K3
zsBK}vJrO|PIz?Ao-xX0WdX<qjBJ&&fp)~84cZ$zB4!la4Xe~2tYIVvh`uoKU*(?_3
zc5l)K-A86AvS+fDDbQ1uG?L>|#>@6+-RJUV&09w;o0X}o6FnKs@0}wWR@>fim5C1l
zJ>#B4<l=cqwA4$tk(OT_8RRK_kly9F`o(#I&B!k==5^ZxpFMJzHG;OzK7wU#m_pm{
zNWh~FdV4-;_6kx<x;D`Rg}w;`%VYFUFK=%yhXvx>j=GEGc*L}|ADdL9WdgmPE?kuu
znw{5N@dmVvMF{4SoAd0213W1;#35|{{49X<FgTSmrYUW^X)<$lu6yUyR~2*^8g|-&
zT50hOZs?WlkIhuoETsir#z&rR@SAalJoVkNB@I@L_n)j^ZleFj2eYq!9WLVWp*eq~
zM%NcAQjRv(HI?4>>KB<*FI!_9Io{F2=@P#_3dG=3n`HYo3|(eQd)<|gx0z@e(rkTl
zt$Jts)7%SfmLp@Wta0*(1c@ncjYnu%wVwF)Ov&L2=np@MOuVYVlWyLtamv(?O{`P3
zSg$<{k5&X|M#F}ea}SWybc?0t0{rK<|Jrw~$gZwQjBC3|`KNb?kaJrsP&s>6Z0rU$
zXc5yZESOePk-+GUP04ti*RAWxl6)YaH{oN?0+`h=ATH)@oqPZ+NH@$*E{0V#xSb}G
zTDjB%d432JKHs6BMmr|+6OB<oF1vkC;%>Z&@>1L()-0l`c`#fk%kFTwk4#4n+aK^0
z5d_V&{4$bJEhwV*M?4i1!6B@>&<{-x+swU2(vFSOuBbp*k7q*m4=oT0gt@=JHwRR%
z<_P*7%%quZ1|YDz11SZvw>t!^b1F}5xUYAx%!aWa34$y*wNulyi}PyZ)j`$h4x<(%
zYr+gEdMTa8h)e~Nk5z5E-D;+$cqg{zIsX1a78Vw{&ypB&&1VWza*kJ*Wvs1F>Kt|*
zW(olzQH}%StFsFW;)slT{a{41+st-$W7aH0AZf@<#G4sVdWx-;=tF5#s1xC)uQ7AP
z{R2pE(a|sCogxz}-ZZ~s|4S{0uC3XS@IIi!3HzCC&iwp`JgGgip)JuzNXFJfO=rPe
z9f{K<tHqWh**05q?x*Ei(=5<S&E~D_7Vyi1{e4P(8+8@@UH2Qc4HkNaA&yUh?(#0q
z&QnCbO(9VNHxgP6RwV)?qW-c6lz^Y%JT57S%dDM1Nayyr!1U4_;!Mub{I@e*Z=`Rz
zaC5(8kOBuhw0ZM7JmjU_#>98fN}?*}$;Z$~5W@l+km@yvoIPs=NItZDGXn95O`I!l
zvMxVe$mC;W|GBu0@MLtY+DQfP_i=EEBgV1*o0jp3j_~t1UAZF!yKZRoiTIG|f_{MK
z&%L)3wL8kn`WAfe5nM1E<3HIQv7OuZtzJ+n>j#<~BV;a^n3XF6#@=I(6uBEAP$7+=
z@tB{JZ(q6Au&~W({VKsiFMap7&hwY|u(dVQWm6fEq8H=8QjHL9k118TQl{ZI+y%|)
zu0^QP#STjeo(Y^<uE~=;{sfFZi{X3VG5c)y4UNl;g~<Dk+hf-qFd2M(B=h};ulLz=
zkIzT7S9!J-n}|OVzai2{q8TKHQqmPv%)msa`S=j%TrZwYRhQvT&C<r39c;PJ_C3{j
z>PgeoJKao&hEx?=R)OA*WxkImcE7T}hg=I3v_k3<Z|bflON}r0(~}9Mq3t~SsA2R+
zgrldM)xE+X=i6lm3GvY!Xk{5|Yy9_D@AY<|?sKQHqNgZgU!eJYTC|>Y_})Yz-xyI_
z(8}8i9yeMd*I6--F)F-CSi;#{Z)qOj;X>i|DS)($*=Lu>X|=+2CallVZ0-1f-S?DX
zX>~=+8ytAm8>M!?q0O9Mwgy)7(ItO6<V|0>jop`#u1p^+_C|&@oh)?bWjz6(_SIea
zJ`#BgJN>xdb($|3m^S7WM`Y45P+4<417B@Ucm?_ZPbM7B7le)xm!;kTmK1$!=0n@y
zd!b!(TqhSgT(Q7+JWo<6oEkFTvIN?Ub4MDd>p-N8Yd}_hE!uWAF&aeEegp21<aI6)
z)Z^S%vr0aN-U*thvs@r<xyx0bgmxvLZhN9s80<w7ea;w>*!ZD&rGROP$(fwuY#BPm
zW$MY}Z4w{m_V3<^I_F{NGxd62t;jH}>+Q6Fq$P=I#(S!g2*%C7>?Eb}exLHLE<Whh
zY)z0NLL_1WK;Ulirw2J-*Kgb);vIn@&rs<PZ@Y~i<36Z^t4;OjuN$2e^U5E4B*hd;
zuoYfvC!Aqi5^dX|NyAfRBxM)Iq`PfIacZF*vHDcEp^8Y}tfdRBBpmUume29{-Z8K)
zXioL#JH(kg>&SPr_$jJN7KWEz?y)`93r%;yg|D@;6@T4Lhsb@PR;$2)Dogb>U-W)s
z0tH0)^9jqN&zLMw2=Nc{9F*&7mrQ9_*O7!1S}amN6BuqlRHo*bJ}4p-rpa<EZ+_26
zKk~RC-Z(i=(;=t+)bqflu>o`6dfOT9;o%AHg0+8lKwY)+QofY=!H+rycK2bLO+IIt
zgG6kmP_BTlEnvd6>fud>_x**_eF@F^FxxZs#3QOZ(}!@L{k$v)T!mh196#vRx10WY
zH1A~Dby~gin!>{#pxd&i>?<B(yC!Jcx}$O5vwAx<L_=h{H(CC+_fwXa1wngLS<0H-
zBE8x3Dl{s8R7X?Uq6Hl<ChL{&QBa41`7+zYjCzN2VD&@tSxcNcZmI=wL~#|Cv4>Ne
zvU_4VN9QJH%T=!9*r9|r@tV}ax*I|JZAKN1W@JHhAR8r8|KO#k!g}<u<hr=W?7f$G
z{nMr1V=DjU*?P{5{ECd;<CUlR)DMI@Xd}}7)`j(t%*Q{+&H$a+(9VOYUFm^IqbRe(
z4;*Beeb>U)@ELIeC@ON%%0+THR468njr(Rgvh^toEH=DWM5_;hWn-T5{LD|6JOcR?
zA1Vr>(;cZ%fjy?kU*ZyLaGA9PF`ZloyXnXLXx!0_<Hf34@~pXOrd&#rDXV}!8C<nP
z<x5oE>CwFR)>zr5OO9S@MF&YfsUp7MvHU1Bai}#&i-y$y``_3*Fg<z4Cj2#i7D%u*
z%L15U!7sjBn{b)>Bg=g=Zdhfz+SQlmy3y&bTR@S-`0Lt&SY1iEF`3z&7$*(E?h&PK
zN+G)s{>YFCd3|$$A9?OB{UPmJo7PI{wYs73WsIgRmqaZ_L`=zMCunnWn~Vd^R7r<9
zlPjKC1cW~nSB(72?jC9$5dR0OD$v38t-H}DA{tK_p33&yD)d`^yj>pIdXc~le>d){
zEzV(kQkM|LZ4kfy&TvoWezwzVuAGnpR*<nRG6p{J<wa*^QbpDd?9l0|=YhViW?^el
z2%3&3QiYD=SNHP@^k{G6!Gxf$(nNX*2qoicV;28y!P#`!F5>i_EWyW{Os_*tw6((`
zX}xQQHHZDTGY$4V`t06fSm4trPdCeKIjv#(A6B0_Q;FB^v4>pr5UYtV^Me4O3z|kn
zo~pM_gtqENn7$$>0AI<DD1g^Y|8?P^1i$MJVe|EZ>$G;|{s&k=H8+Ef;ReeiuGb>U
z^772!D}TVg0Dq&ux|e=~TpVMbk#mx1rg!EuVchBeL)TjX#hE={!#EiTP9V5@aCZ&v
z8l2z+4ess`+}+*XA-KD{ySwvE_P4vq{_Fj!rlyLinJVsc`}XZV-RCq?fMw3Z)ov1W
z#3c{bHnl{Z%~Q5|dd@<%(PZTE>vY}T@H2Mb6@_|&=;U3h*})wz>nm;Q_sNax__Iew
zln$~J<n3C=4FQgm!SE>)G8{qRSlb=L8&W43(<qSGx;l7wZQfq>gp+KN<FP!cfJ6|&
z$VloDcaOc+8sGYGPS@yE7pMNmC(bkavlrk9Uty)hi~d0cWLaAn=vY8BKRjCT9PwC-
zZ^*M4reWEf`$My#v|nqozIvVVZc9URz@9DI%G-L^uzkcVUQ-gT+p*Z;;o<I;=h%nU
zPRqVg&0QPiQ9r#ft`sy{t^KiDu4@<Xwe)cA${*k(Neyq9YTw7LO@ncwY&y*ZdzZ!s
z?8D7ZaER5p#Q75Tu{Ldv2J+MBJ*pVG{kvw9#=e_G6JL?J>6fKDojN(+Hlmx%1RLx!
z8fHN~s5Ur40*gG#U|po=0V>ZMC*lEYwCP5>V>Vyh9p+^k`rk?Vz&)I+Z~Lq~am8@R
zbSp#@4V>|;CbrE=ADUXoygyc2(+_-zmiVL)pctD)k;4x>1y8B5t#kaJUv5({=Jry&
zD}@0=ag6-(W%&5)<&qU&Bn2A;x>}U-i+MjKW}|}lRc&Tr<n_^sIG9}aaI=$aZ`e5x
zx%iu&yh*#IeY!G^XdJeeC!s{q_HAROBLa3Zul)aXGXIr%14mv3{}J7L65y*iUc_i%
z#Z#G&IDWY?cgCO&-)Q@4k~v+;^3~k(dGW*v%5jLWF^IajQF3EO0)F?zGszJ$F)ofp
zaKk_S)!Y7fQDW}(O2lNaWZ-%H!Q`=7MnfX{A@jlu`cux>OCQ316|8hVa7;WLkazn&
zTLO=8j=uLhPLf*#uPzwXBO9HdGE$_HFtOOV*Ko!30JsN$FjC1Ges4V^FV94H_j*b?
zPeF#~XNfrBhx}A)F1I(b_RRb=_g)APF*;FGb<UNWKIr{ng|HlOr=xm&W=9sY9}xbw
zHW5SkmISPc;N209&16~>Ci>l%`+LxlLq^g&C+&}Ln1B{UX@{2!o~GTk*N`K}<^lr=
zN4qrc8lce7<9xvDV97KC7ncC*>$URZB&&yzsj}KDtosEP3YYbMl9KJTT(ZfxEz~Rb
z=rJiLw%c=}@Tsy^>gzfx8ek&=at0BwBWFFu>UrY&sN8KHVc%rC1JMT839pIM$+T$f
z<!SEVB3~<GrWiiwgcI11f$O&IbCwrN6{jF#gzk26#G7$7%F_b?!OXRMTNj4s;q+tz
z*-v}I%|P%t46*I#Y{Y)g;^%Jnlv<;I;hMy1gtk;oML)g7u8SwR=!xaDHh`v4wdgxs
zOZ=2Z%!oj1EjyNo{=)roy6eGET=a5yyEer**52=GI5oQR#I{}*piHAJuy;<W&D-{%
zVyLyW)O-*T>o6|DdyT8rI#9M~3tN7DjWFjL9k$vKY=F6+Nv4$%?y+uu9c(kkfOr1W
zNQmfUxiNk9DROKI`gLum<}pI)c<kMZ)fV;jj^&DIK&h6YH|N`n>D&bLs+->dtsBYw
zQ5!UFu7L#lR5k7K_E=Qm^>uagzPV*n;Hu+8Zm(hM2vILMFzQc+AU@A`$yh77XY5{U
zzf9aOzt7f=Nc7)zOLSffdCoOx*H~%O*wGYfu2qUXGd;@DYC{VwJ0vTUs9IBH(JoYh
zV-u^1?^cCu)j?H2CE<8yPJ2bKf*8S$KzS@<+yI#tQr3`+a1i6YME+1haTc^gDJ`3H
z#3hROZv!td5uRoMJv%iS9okmI#dH0;DIOU3cmX8vA8-w=%^L|~|Lxoy8e-d7C6IRl
zKm=m3iGJ<Yo&i?rhzACFQnAM?%@*Vp(uNRDpB^6_W5X#7?SjX&p5QoM`){u6>NQ3Y
zZqX-v)NwQKJg&7(NGvUF4|?{Jc^oNdL9eVrd~Asmb*S3%Ey6V7)^Vf)EVaf!xkM%$
z%Gwi8AEpFbKF?p+&NnfW_KPUvMMA$s5tFY63aX6zAeir*tcNjr32@pUXRR$?k!xN>
zwr3<V8WxBr@ftyKU-#>gX5`k^`rKG-TxA86z0NB!1^9d<E~ItO2gFrUUCleudExJR
z<xoq|g|(dFx;&e3+y)9B3{q*C?rxpByb9sH<<m~JdN@aDIlT_uyEVkVUOn;V&S^NJ
zwZ7JtXB|jMU3cNFN%A(|)HB7iL!aq+nc@}IIM^mEC(RVU|IRI=pO!C~C_u}7RWmLr
znh|Bef8%rHAu!fjk<9ZD*$#|mEVp9~((-8CZkn%m%00q)9xCsWUqjG`ncWMJA6m5N
zEW;Ko#1C(;f`!xHChHG!^jOAYEuEQhTE3C2ye_RxdAQ#}sdX=nEmTXn%*{<y)#*ju
zWzfytc|E12aG5Zq+CY^j?7FRv>bY~iHKfzH_NZQ0RgYzGp0&mM6uArVJ`cQ2YPVhe
zXmOqreoV)Ejj?EWVBM{L0Q#oQ87JKA;_??3xBc=}A@nqlFaY_}z?elY!rRoGF|#GL
z{kyR@MCgZe&IvYRs%LEbet8c&8UW8z@12LRrCS%3lU>D?WW@Sid2?jj{f{GK_Hq!?
z;@9CMW}n;di2E4%I3jqjOLqxMZLcR1YdP94w-(L=g=9$?bPl06%*h|&fDjWkVuX^r
zGuwH7GPwE3Z0>XJHuNhSctvr!Z##3UVREf@cFJBTR{uH#$-YBEch0#r*{X;cZY#au
zPU-$$EVs*DU9Y!CchQBd<mopf5;^b6kFzCx8`!f&EIl4W8bZ}%C+V#Uvr5iYgF)rW
zEaz&2)@25_gTc@+0_+w{C*RHGsm0W{$?eo=%`1s*I=PRF^EpTrB|l3SuQDrqA=R)p
z%VS|<n29U>OIh;ypMFFR!u6HLnV}jEObq`&QOF3sjI{EnO}&u0`KNY(j;xXZnDdr~
z@>T+`1Dg2`pKr3o1If#Ep7!`$`-9u#AnRK|*kVJknIMtj4ncXzM*@WEyHnFVGT?+~
zvMUyWtKHEZ>YOIynW7K2rx<+`Xj*PL$@R5J><2zf?hv-{z`=^2&s@gRr<AZotvWU#
z4P6T6T3)(rZ;aZzi+i|s$70Q3ZErEiE?Kl3lA&KVA2dClQOwn<Q{cBs{hqt0D5<=-
zI+y%b9H(dx;8$Nw##UciM!uvk5Dvx*lE!+ruoB~MmwMQ<Yu=pJPjvcS6;>CAsK{b&
znm6qxoYd!3o2{|9?AkWncg9b3LS8u~=O5TkK+-Z6+rnKP3S{cz&RW48#qGf|vO9K3
zIr9XX-?dWk6Dp9(5G({AznwZq(6k@#*bd8yBzPhNz?>cyfcPo`uR$GDbU;znkGa6=
z;P93agB?hKaa2uweYT62N;2?Ew3*Ds2rNH88>N1S`IV&OX1|zOy(A?($YHKGqS;63
z@05YZf69oK=9-02#r0U08@7p&<~|_TQabno-<B+$e+i>`nIKyi9eus8C-a?ejDh2H
zziZ@B0Q~t}y)In6PM-$)d#h*{mki50>U-?C539DPcpjS+YArfp?Dd8tNhWovE+Zs+
zHnMB@=1aFFmGs>_qX|5zqdZ4UC~UU)mLD8vF~}wum+sDCL}n3Yj5yXIe*x>1LVREz
ziw`yhjm6O%k57_TKCU8-V{^b>D0^|3$IPP-*=3kc?I=dqE=mxoZSK6<`D+7~nB~JD
z<@j^e$tthk-NrUT0}W6|GIJY99m<Zo{l0CAr|wQZ9+TUbBvlV2FKT?{P*qi*nXn;Q
zsM``|OC~-o8V2n>IkX30y^D{MeyR`>pa?(!Oahd?p2<sW_(O32+2emm>UlF&?Bc$T
z^BXdZN$^}wEAHY{!|;#c&*?59tKevb9Uf24lgizzKg;P$a~_3w_{3{P-@3aQpBT_)
zvo}nSa62+$eoBPklJ0a1saETX<o4!ak>&9;c*pLj6ZMdvS%s5e_H}BFSEmj%xx=>4
zWB<}{^I<Xo85!dGGCp;nI3z{7+5RjyKi%EG?Cqko<z<?6|0*3&=eyXjA$xjnv-mh4
z&E#;34ZrW~%~GyCLgj|7zpHi4%)~OD=5}H`(_EIJAkCBJ%#P2moceI~_CR4tf6e}Q
z8_&~I3@E+c>BAFdc0zoO0XDbq9mKak;=G)eJxTHPW5eGj5*C9y$!Gw9Oykp%gO<Tr
z0T0Bg;IS%jw8RVq#(_mbH%Is3LxGgF=K4e*4#ysx(V><Dxt@{8F{DZoFTxkM7u&1U
zrTuJ=>Sd+_76WMP3SS>D%mY7khw&!nfbQ#k8(i+WG?%ZO)S683XjUCj#0!t&b)4#r
zn|w`Is{w)tMnCvk+kNwwLs`_AJNdr=r>0)7m1ko=6J0UuHLaA%a4=sS%3RXPvk&c6
zxbC`dE6iET%C;v8s{WMn?!UcoB3gPK7?duf22dsq@5K+FwCyUZ)#?^b6f4l#>`HP3
z)@LlOO@2EbdLRbPI<0e;K%>rCq1LR^<lOuVsx~0TPuFu^p!`{0wHR)8$2<)8eDgVa
zn{)KpC|6NA%tCvM(4#KQSz9BMrOb4lg{rGu7!dz?w)}2TnKHs|Xe;s#ieY{QSm1i%
zR_1tY5KMDy$@FH1vYbx)uG+Gdv)tNP6}#hnV@6uQIw!NrT9~4D$(@og`JF7-G<W}#
z$)pW)7L&<nEzOEu<E{<@tS!BtY<Ko{)?>^vWv$*sT3M|w^#k-5dKH~_|CFk9o`Lf~
zjGy;FaDRjTAn!tBJsX=7+(YE1=kBRnE0HndUy+9^Ej>6jFPg5L3?k!`b?}^wxy+N?
z&dq$FT0V=75HpW^KU@{~y!l<Ex4!BwR=B4wU`i?@CU!3Q4E(rcZ_!Nn&=VRql!JNi
zwX?^LpIvV0Ia|i<OL|enIOL?x`hd0B5n9X(oQ-<XlS*9tCaUJKuLiUb&}*i05W?aS
zu7(@crso;-gmp00jn6&^#KuBkefs|SGL{Tgd+pD;wtXw=qRMEIAow}NV7J@^#cwsW
zwLsAAkyeYoIKIpkygi<!BwLu&`Nrt2tK^lim4sYKIXH4AHcvYB8|t7-Rc&juay2~b
z!E*ntl+;w-IgFId<)D<Q)2Vl9ftvc#zIOXLoEEboW9wn3%6vf5Go1kLspKYKTlU;1
zrq@8NnYp35fCq}BXD6ExJxcZf;(nRvdm>PhB(%|V862*>*H?Fi+*?kLCSyzwVabM=
zbNY|Pn`2Ud(I8R)#3XTw`9RyCvI`@-&as=vgYwmDG#?eah;Mz#M`9LzElqWXeA0J;
z;8lj-*U%kKm2P&)SvZ=Te(*%bRsn=zm+97!bcssXbD;i$NXRKbAF!iMBWPZ=4sf?S
z@LtVgI+Osf0G^O-AMw{^8E*C9S@Dc;2++bD6IQ$g4I&XSce2q6Gg-@_#ZP_TrP7E5
zvAdUAP22bCLqDxB;?%z{zTdW&u8+-GJHaqjnKjf1%Spds<f8V2%7<_(T`_YXN<?-A
zCxZrUWT>QP|KL2^C^C^++n!CCrewH_9ajmp6%wYwnM|WGewz^>USVX|&RI;ODZSHY
zulQ0Hm%}lYwzz&PjQfvC0wpTr`R>cKZXN++e?sSc_^Eu)VY)@f^A@7{MW1~H@f(Z=
z*<ZE6+>?^>5~15S*6|{1r~>zAVW^ZpWph)fPOnVqfr;rSr;|vaO>`kx=B75=Cqs{i
zQRq_%=`cWB8ISuX#01<$S+w2QJFjrQrqyv>7f=i-TU2RAm^~0L@eYXdMhR(oyKC9+
z4qSH#hELI2JW-eKowU!Ev3J)Tg>dC04Au#S69c#+pl!x1JtCXf&h>81ut4%I*%&}y
zWs{kI?Dct7mOJsDSe|55k8uT!a__xYt8~SvwUU*!G36|8=q&#Bonw1F_L|Ug=OTIS
zb+u%l5R~9oZo1f7-UDINh~S`j0|c0iyPA})x6)UH@0OoD6R}L9?~bJEmxbq6oYARw
zl-!61Qe^gY2ok&4TNdXE`*4Np-)^P9S)S2R0qid9-S2qM>B^6pyIT74uZ)BgrW6-%
zkL{yof{0h%Is|K6EUC&N4Bt+oAmVQj-cN$7<L+#EvXiCnQ5U{muPdvud4zdrC5_s>
z5*E`po(<?Uz`YKd$djd)B7fOQ$4iOilLU<0Mwis(c?n?6mFGU;Eg15&tCVsD`kX2!
z^4u-E@U|l~zbLtwRfNqD?!~&(eA;qae7uImCcka4-1MRj2eNHfB*qX-B9#2MpJ#}-
zOp*w<CNY7tcp&&PTp{#_21eVo7MB*j);%&5&kjIGTs3zZ-Ux~bGJ~bpd^Rm{)d=Io
zSL()H(d`UKTf#p5k{NYB<b$<)wp^AvqVFyIBYo?1VIBmP&fnK$z_{5_7+@4unfUCM
zK9MRPG*FR6=8C%_E)ee2O*O8u4nnz(B>CGH^0B|ufy}U$^^^VseFOs=U|ozd9Xhcv
zDDf}7C*jo-!DxNcI<1rudf80`UDL+dfu^E8HMvtc8V~5QMp<f&Tp@d_YRDfmqpeP;
z_jGz|rpX`kcz~|a>!VQ{0p+`UJs^0TpJAQ+vG%6Uv0KnJB4}9uCZw-1KtI&d+K?Zs
z5`w{GXy=}51zJ9A^A^{)4@4iCIZg}UY8)rPs%z&I#@a;VfphLrx=F0F1b2`7yI9BT
z%i9ydWs(lER8pj?AY+JAWfs(oBfy0%UVBb#&tBA9r~}kYhGz2*_D4()&PT99xwOE*
zkaen0!a1FoKVUJDP!GXth(mu$lc|5%r9tr};a9DHy@b~~$zRj{y4Ro=mIFJ=p7?rl
zG&iMrXOS71`Ssh;aUL@??Vgf@KR9?w^g|?j3bPGV>&xKWME=_j)peq2JAXi_>OfuG
zxWZCezDT-j+UrIU>ttn#$|N1M#fjM|ofikABT4?8mNTx~GoyCqglW6D2wr0luKP9M
zv8y$FJfIAS#Lw!@H2$Ln5S#e*5xZxv4~}(BI{k5vb{td!ZSoe!Ww<LZt&L}@O@Bc5
zv3f2|WbI{xmaV@e7GBE^5t^Et&#mQ~>{~~~#l*YWhY&7&GmEcvqu<0h^Z^MjW>4;z
zx4RYbyxN?OJ2*~jN!@+GZoK8Ww)9--UHiUO7L<3SJK5pOlKJUYY%eclWx1>^k6ckF
z?e4c%YvWQ5+|mv!R;7UM<87PI;GV(@c_p``XWC-<>GsGgUFl0I9;e0EMOUMncNh3C
z=SJ;$AzJpxI3CAx!oqbZrlts%cO+gO2&>h}`b!LdQGv)wKp);si@aSX&W%t3x%<l6
z)*}R7QJ26Ic$p4CbmfK8o**rsO;!5^V4~!frZ0ONit%AGAucpUJcwm<D1iBip={vl
zYfQTc@x4)?k0+^&H6DRuo1v|I0MR#CnZc~{(L(N?OyW`ZfKGG2z8xwUmHZfQn-IwP
z8ul*Kq$QDQwBw{l!oA|OuChr{t)8i4(blto^dNEox}avKRAp3>)KtkyWmuj7b#BdN
zih2o$Xb59vjJi@4==2}`+8>Y-t}Dacp7FLfMQFfIK4^S!f>!y{!5?~idQ^{&5hGB^
zR3D(WI+;B}(C)SspziFp#l~ij41t?Cb<Fo6M59xu7}c>M<zl+(ykE~HhVV5>=h84)
zl1XO49z-})`8fK07OqBbk0xno2??i%A5<YvGP7&8G!GnYB)2c!)xX|#v3H42Dm&c$
z9L9M;Lgo&a?W#O}-NIb#*)K{T%n;WpIdAm#rRJidmbkcAbkZrMPn{K~@<8^LnZ1)A
z(!51&$X%_@7ODK&2B!6N20bx0efx#%@{-l<(e@iQPS!$o-jpgWdm_Asv!|+^(5}Mb
zlA~S1L?%yC*PaiAznImKz$)75@sv!?T>CCz_2-mBiCf3bY03a)tr?@o6awb~3bJ!?
z&gzjOt|>>@+8Hht>K5dwF7<Re4cgXy4J~sc((;a~d9!lXM3ou#17AJksmy=`rR3RC
z?gTBD1<2<#m&M^FKp&2Q^5Mio+yhc_2%D%(-9r*fZltrb^GKaERUB>Z5G`jq4ci%Z
zwS4IH!dUUWqzQHwN;vOg$ucq3KnbTlJFs*~R(^Tqy&!)4quhxk)os?~H3wJ?p_AHy
z4Ax(wU3fkDQQjPQBAMj}yZiloUO4-yLU3-}wyxFY4%hkB56AYxk2ZVcXl|U(125He
zv$EIWW<f<m1S1jJN&9%AcFHV(Ouf=1s*VQ!HuF^)K5ls!)ILNCKeuHqY<p~uRO^S7
zH!zWjYopp9w=<Pgd5}K-W|=vHg^>M$Dvq&>bhkClAL?n?-jc!Sh;9DpupP)}Ch`(-
zxjkkE^$@X=O>0qEQd4(SZ<yJw)&gr{xu~-NZ>j2yUP>ck7tyx9q`&SRqRn(_p-d=Y
zs&N^^tz+~HW52XwoZAd6foHZc<W05Sq$f_NzQm!?6Zpj>^{PaUkU@TsJlM%dpIx;$
z-01l7&^kVjsEVy!CNj)zJ(hJ~4AFH{DNmfx;cA<Ro-Ji2R>jP6)-Im=aHW<y){5b(
z`Kh=;>C*y&7D^z+PhKDF4BDqm=EoFU2<MUnqaFI~id(pQyRB;%!EsX8H@{JdwS{F2
zhd7wSGyC_6R#?j|4ln`wKHj4KxwRv+!b@2Ok#QUV1dF|l&4K5(gyEk9(N4@l0O2_E
zr)}q-&th7y(N)*c4>5183`PyJOb~W;y@N?Ck*q7;9N8l%Owco11C3IdEo6JMkeV-Q
zTlw09NkRL&x;do9g#G{aOHX5XLA5<FQqG;PlE|gPA$0xAegW|clImDCo8=sZ`dknJ
z2;(}pQ_wIfnJJ}nI?#Je^q9t*-K+h`uIjutH-=%#84;hdlGR<T=QI^?Gx&`$D#z@I
zcwXdsAp>s!;XPcE62c;z>_&xMOYQU~WUugd*5y#3LPLTl6my`OlPontoYAoHrAiWc
zC3^uC0q8=MiRWAF{jn;eTj{CmW2`i(b~DkpD!)OICz<Xlh=cxH(~0R3bt~?NYZiD^
zwH?cu+1@4J))#KP%#cw|pEAd;ViaDy74`@v4Sx}TDV?B0hou*e(S2}$YNoJjln&iO
zFeSx+i*`Mw&64KI<pMs{RKM~U(OeS5&0(*U%T}slHUlY(x3pEQt8<{D$_Fv)rK&?8
z>|d#WXe=KdG+e*E_RFfc!Oz-ucg`Tl2R8zl@m3|z=>num>&wFzHTtSLWk`iEOe-B{
z2!=;kGTAee=rygB*e(J1f)q?OH?n>0vJ|tsnMOTYINO_~b-YT(M!9xVZsFdBF#KdP
zhO|wEi&O=dBq;aqyM1?KXT%ts81AvOF|=DZwe1#HfTb((X2;1}C#i;F*Ko9??UWCi
zKO2+z1*I7ejjLqkOC9XVCh6v&(j-iha^LX7Um#cQ>w?M&lJD^XC8PQ9+u&o4!~pWq
zd>OrB4Dz((flmqeylu-dN^S3D?0kpnXmmE9A*w=C&<K-&Y8q}_pLZLRv|(Z%*kwj(
zp*2_HI>M+DXwSY?I1@2Hpl0Cw6WV7;0~(GTW)BeQKm87;fLOW|{sH{9FO>Yk&m*Zr
z4OV7NjL7P{S`jIbjuKUSQ+$=YDk4v2f{2jzI;mui*ln4iNm`RtSQB&{3-QUlI+^Jf
zx*t^&9B{94r<bo$(8QefCwcW6Hzpig_i!z-ONoY0dA!R`c$VO^g1`Wkkz6TYXr@i%
z1iBbv{X9Fqo1GOQ@r&g4%~#+3XpchfAz0*Up6|_M89d_W;kz?+6M8&&B`3goR9kpi
z=<d-=fos+k%~l*ssZ5kad9@9Jo070H++>VI`Jl+22^4Qm^mZLt?2ibt{5De@;FM8d
zA>$qBL)`dT>dy^=!}ZwrF3=~zyq6ukDH<jwm232vbYJy<1jbgEdO@itYr(6T(NLb%
zCqtDhxyI0%J``I;jUAq9j%2Q<SHRNnju>4jOrW!VswG*~ug-VRzm4&ib4Lo8W^a$4
zk6<b9?Ej`Wn{68vQ(CP-{loe^QLODjlrG6wPy2>*24>F#uB^MHq;dy=Cf7r{K3fmg
z_k*fpF>8)-EydHlswlIBV8)ES&63%Vr=%gUp+qONhh;U5AN{}kR{2VifAzX@*qr~-
zzRQ3}$GSco0uunEmU#8C_2<XA1ACcS+S<Ha4JwdI>xa1_U6L~xz7_#7by#H(YopSn
zE9=*duU5=svh%FNDhVRYG1emkMBzNrzmgW`=K~`XWL`Jb7Gu!Vx6A7N2EFj%<0jWj
zv`2E1co|hVGVb!BMRe;0K);3<<*m*9ZN1m$g;IgPns0lB`RZO`KX^1b*$F(DBO*Kl
zj_Ub8Xr)4ZwVFUkId9*8eqRr@=4oO6rCKhFHjhF{88cLzil8`|CWXFQmkMNH&+e}5
zWqNM)v#Xqr+XYwpb~%W?KcZ9R8cO8gbXFuyiG)!6l4|B>A^Bhn8SU<;v=B(pAWxI(
zD*`^n>9b_^Xk+$SPIEupH?C`E;|M!R{xp~wJUEcxIKgk1jWlQIfE)%g%W+2SdOmp@
zErdP9i2AuCK`ziS^hU4<jXg~2qL`sN=@UlCA40kq14+1Q=*^2as9z!RAp?p2K^6Hv
zAe}3NT+)0g>Zfn`6FZlM2eV#Lxj$*Jc9aLCie>l2T9Wj~kNSHM)!9;J7KTF5X&d;e
z=NxL-R5?vKNAWI5OKj&!CnIwm4;z;!j7@9s7%(N@r_h*c_ZyJW%{F41z8$Ci@44Qq
zz(c>Yy}6My^1!o{W7h@qxP*Lr#|o#+^qx84=ZklAx=h}&QE0)7W)D@BakUB-M?$*R
z^Cl#+uYTj`;;tbP88;4~ohGO9lV2Kl>Gax!dHsv^F~<UGvz#o2u2ya2Z4)Y<ED=n1
z_48`uYC(Rc76a{OAP`GIz20D9?unIVK^%yQPK(;s?lN9g^wqM4+GLAT-ASP#HGP7t
zEfN9u@s1O)K6L~W;4eee^eQP<`j)-Jhs-Vr;%P<rZ!*UQQ306%4*nmS(<32bQ=_`J
zV3+Z)NK|JSVmmV%!g$|aElc*Ow*(vJ@Ax#s8^YPCHXUB;Cf~!jANKhoZnyu~=h-@t
z_jCOEJ3!32o|I%xSpPu!b>&Nxi%oSp7=V{-t!tUaK+L_B`te4q(kvjYwRC!Jk-){*
z`L#gAfRP=lN1&ve!Uz#@X;Msn>hqQy<iV?{Y#7x>x{q|OM!U&*f<kH(+-S)&Zcc${
zaad)9C!32_zMWW^O8-FVP61qjP)$6xyby2jA3ZRJKnj}d;f{3Th~PgQxL?cXGXQj-
zjw{W&e)tmYu^jY2NtKSV>J*QIvbXb<QgEWb-Eo0Em`_*N^y-upkaW?jq<KMx%9N>X
z?F5~D*Ut{-`PA=0df#<oB!tZ#N$=594uJ~eCi`Mt!gsi`Cf!PX!nA1I8UcdJ`Yu<a
z5-}G;D^SD4xN$ES?>M(e!hqJ+zUVTguhRwMaF}A}Lthrzcmk(NnGI?EOs9I6J4Z~4
z*@oK0AC#`%bdWj_tT%Q~=s#A-50=|xqRJm%oxtD_F%m+HLj(C%HS4r`GDHZh8H0eK
zq=N8Zkv(E~Ui@-feC9|WH>le<M(nj)nHU(pDZd0+Y~)bo_~KpfVde9@?9qLM2Z?k<
z1c1RnN+;l9K6h%T@mGX?xbAi%ny8Z7cRT1^Y=|%1LT8VocH*abG1r`~F8?uHW|T(H
zDUDI3Igm@o8)N&bB`n{wP`9B`2io@`<RBuRf$Y$?j|}_8AeFg1%vi&w4D*0m+0VjR
z{#Fi<h$Xhjc|^%aiFcSh1+LfIR*+5bMY=it2Tb0N&a;S!uQ*NUT3RlE6&u9`irQnP
zPa5)XwY9xr8$YKLuB_1iy-KHn*8HU~NC592$M9>pc1VHCT%oANLn@AcJ&oTFE+U$5
zjE}ecaZ1pKsEhPtXNeZs*cr1Y5%P@Mef9U#ueKj^+h{ZK@lj|IeTU{d!Wu|sbh?$I
z@pN=u#A*k{+Dh70xR$_ixTjn5dthJX&Pv`M)g<2q+-n<SE;(vi`>BTA0NKL2sr1l&
z0;Gn_69>y^$L|xv7N$uS$qTCF?P073KiDTU%=~eibU+XTd3*r2gO3cq*D#F(Y9q+t
zsv<8=>V(l=@-N2`xVpbyip-#Qm9OjLh_!dO@?$#f7Yl2rA%4#Zm<Q|Vy>v_yCQVo3
zY{J?Vm%)W`z2gY)DL!sJf5WO#4bMw&Bfc-Np0yBay~P@usAivEk<e^TGVy(b6$tNc
zdS38S#d9Q%)G0FCwIe1h%@#W|$!Vq8)UDfIjKGzzYul^FI7$2_v)6x;F+@_>I6c~k
z={=g6QKg}o!h(~ln8-(<%1p+{DiS%TZEEXBK#lHT`_<{S(xwqSNkak@tDeP!$BdQK
zGO3GUBWjB1|J{J^CCnK|SdMt~4&u+MD2fkXs@B~Hh7tjNvR*MSx!*bUuPs+Xj@Vm7
z_MG}j^?H12oNuA^BH|5@<m2CNT7?MD;d(cB(ouyVAEORV`p&=l+bBW|-G@mX^=>lO
z!j{?3Lu~?UQL#*F+ax7GR-wbSw<?s&BT%}85iY#xCvVwcpxmj7;`@l=s;q~PJDnvW
z&_^TY8h|mD?BL+Ooy)oVJq4lZG?~bUbNywWi7T2c(n>aA@gNSL!3z6}u^ZM1i6Or}
zY?|Dg0Zr|Qu!^U~4=NI-K-K~E@jCS1`#DYUi**nX9sCDFv%{AN-{BhB!Z}w_hK=hZ
z-EZpv+Q2lSSDP2;x1)o+*RQLmA=%WnGk7>5=ySTkQFlY`!X&vP>dE;T1#s}1>q^>^
z5q|secsLWrU<z?)0}btbo!*Pc)0lqlsDOCgBJi`m2*zM6<AVA%s5i$?UA!4WqVn?+
zg|+0Zu@Rw?CR&3mtCdY;djap&6gnGoq<ZjTt7mk^($<G%Tfb72O6^BWj6ciTLo(6!
zfkoR>XCw<&d1~z-!li#N%q6Ud>00u(1u9BH!XbA4dk+18-QcnWHTbZ9Fj{0$y{gu(
z8GljtVq`UA-uC~Iy!!iB!1-2PL`2i0Uc4(WFQisvnD<-G$Unx;hcLT0pq?9?RK(I;
z_v8Ih@4cD<i|@<<J#ZzwUoMDoXEQHQGWTxUx^C}6Y7#Y51%$8I5@wGNa8I!^EL0x?
z>g8Z*)w6L6!I+EsI;M;@LT>}{axKTlc9pd8PsEK&Ik`F97USF{Cu3+%>Ws${943Aq
zV*7E363k91rIT594sv0zs~jt<I&t_V)rPb0$=8D^<lm4pB5x~Y&IXNkqn<^PqYby7
z;2*t-icch!bfvso&d!h?C<--CYad=(2pSpIld4yphy%(uWqAT+I{tUrlA?iH!d3(^
z8;AZu93-Xjx@e4M##PQ{xmnG0QE=K!gZ{|=AHz^Y0Bu!94{v&UGL~_{vb&VS?Pg_i
zuCKTf^6j^4(>lVEd*NTdrgEjCyXe0eRX9{G3}pJ=y0&fbT-E<wzTQks`!i+4d+SB5
zZn+q`hz&3P>dUcp9r<&aD6I?GH?!uQUIIcGw!&oXy|D3-Com_*o^ak{2Q9%KnES5H
z&~#d5Rk|y&pRAY((FLjeBsXF)a7t)0Y&m(Joe6Y53K=;Q>pir*z=UDsey2VkwSg2#
zW7mf+j^8U$OyJwGyjHUCw4S2*>bly>)tbAv{8pY~TJe9(B0`+6Y$m|blyc!zLir`q
zS})rJ(h^K{xK7fVJ{{3FO7Udwvpb<NqHLWGnw@G)0dG~Fm{4JGqH|=l4hGz4g=vPd
zC6ZljVwt<2aa~kdOC-g1&lGDXKko`>k_iwd#N<ljc&*^5+~q{FxD=n1Nf^+s3hTCz
z&Rw)BlCKhu(jJyu9*hxcYS_NL9!UgTON0ho$)k&r@`)&~Z4eXskuVCdt4p#TSd4jA
z;F!p8?Qzkc=;@aXb}n1xD44S|_!+EJqJjlJ<(7R@On|<Xq^v>M{>@j-U;!2;3t0Bx
zw0@@_|J(upMsz@B8RQ6A5IDH~!=v2WRV~cT()Q<*HYVkcci#yxBako}dyN`&)#A}w
zkmTgPL~3H*fbmL#1Uw#@L}p=0Zdjb>Y{6sH;51NXkrT&Mc0dUSh&V2lzc9`7c1$SB
z|8#pmL|B)zyiTwndIzR!_qmaRCHT-d6;to-Ix@GWfh;=ko=j1(Z9ap10_DB94dysX
zZB+3w^xHNvOzi<z;0$3Dhq}<5xI-n;`*22$q8gD3=-<bFhscw<W3UhHx5x!w1`J^O
z%ABUv%cL?u;-~qpuSbol-xWmspCBn;MjN1?7De?YzcJhA*1>LqZcpkQLAxTLZ07~c
zNRkiAK{AME;@e%)+H?^8K!GR4w*}UY+Qz8<!jik@L8_#6*ptJhi*GL$1QfB->_w?D
zyIeEb*rGGP^g^ATu$bXqBYD!);$^<Xo|!c)QXCxeE-1@Re&0WnrRIcz9SEy*A;^<A
zNVVyY6*D>%-x&;mM(0+Sj8Ij(vzlWnjB#FK|3>?ntzguYv79fXc$l5Du7Y<%J`u;$
z`M22@;Q#XZ{PT4G&}D#*Zc9c7Y;`yIJ-a;i8->>&5g#ytrsIFtU)$jC4HTb|Gi8N-
zwc`6+aTxBVSYA9`Py*1Phn!u90wodB6m|7i#G*gjT$={yX=g%OyaXvO=3$rD#g`Am
zzKfjk6yV21qK9h>8i4ev2IWZOOgpkLg-`F4T4`1{$ta%lLA0obS*Z;oJjp8<C97Rv
zD<a?09}rl8QhQEIiEP=(lm)AdNx2<e{yB$obdV-WnM;-!<AyS9E2-{PXwANe6!Pt+
zuWr#f*+HvIKw3~une%=$U{sSk9L2}GrnmsUiR_~_q`6I7HBFhXoulNIIplOVKiW7(
z*1xv{zN|V#1(>Y)2zm>!@%V3oh1W1p<1=KaBo`hMG!LHagW#X4b_I}N$jEeD43bZa
zOD5VzB5e14Se^i^br4t-h;8`6*0AtCw1%ix0bb;0B=Mpy*u_W|%?VQC`1*B<;Qeq&
zNj7^k;(+Vu4`I_tL79jo(o$82Ex3hzV`*rImS?(*v+N?(m3rHuaDXpC?>p|Z><Cfs
z3m<O^mUSr=@%QA+w^1*#dO|v#?=@jZiNn}TB2Jgl%t%TFr<;bgWaH!c@skWYio;?2
zhss72KX1?!>P|qx(FD)t$5wx(nZ#Jz|MK({9PtOB_?-+G5q?hx`&;P*xc4AnI|LDT
zyE;z8Vd1mBKOdE}dTGPM11eyCpCsUSP}2AuJn&8|OtVkD+^Y}6HL{1Y9bRBTFVmg_
za7U886{3ka_>!6IyUudq!st<kqh!wliS<>p<qlsa&*6lGR-74i)REw;0-x2sBAuX_
z1d$`4yWG{vS(=jl$XmS$H`XJ%z{j7!h=fhPkU&#KQ*~fc-F8FCjL5Mfh!7hKqJEKx
zw^r9UySzmOAs|>%A7y{BvD+J!&`Fp}hxFk~Jdbnack^ah;@(v7PB9`|&ay!*lcFvx
zRrI=sI!Lm?mY(~9pD~4|Z^Iew8V21;O;;bv_4`VgrU5<6=R1YXS;WER`rU&Hiuewt
zVDG5yetwhL)s(i7;XQ!lAEWu7^>`s8f85{;iYt>|oSWbm1ZH;g9~;T{ZlSQGkgJLi
zPEiC=6h8~_DrHGMVs-3KxKnQ9pqLBkPlkBOHycW@n48FFdo|fcN5-}7+8-{gNn@)T
zcvCTTh>Ekj>5^^!{CKG9E<)@mzAJ_yvV0l*a6^2D)xMa}X99jL!*IhqtAKThdooON
zGq*5YO!z4xhmsiSL&X&?FP=cExa_-f?^x}xZ0{)BU895?OE%=AT;XPBW^}#<a%%i-
z{9cqK5s#LjMbp|1e|QSuc7F%k<;h*m31e+$UdUO-{UfLN>xw{?$gs5Xw6Cp`b+HWZ
z&P&ii@^HeEJA{<&w{t#L)AW{T&;mn#W>KM|CKtSR9ta;h$BmL$*q?;@u&q~t9AP<P
zA~oor0)WFutwKW96LGz%;}3CuzZh-Sd-SNrQ5XR3Net7smNZ0Hjmexr#EdAqOOm53
zzL6wrlas*$yT55dJ}ljB_Bq5~c<~|5iY9ioaXobM;ZrNz#D2Qp!;BH{XMrY|3Z2If
zCZzg|Hknzy3@(uTzjv-*5(JblQH~$+pIq-(9sC<$zPXYf*sSnr(_QO53gv(A1bv8W
zObu^=#pY%cOBYT!csRLifN117SZrXzwKr9iy19A52<rXk$HW5M!gpf#P{>=1+X4In
zK1Da2MuT6P4SNXt{N}$XHNKKx7`%kCdS|4Jxq7Ih-yECfBFW^##Z|pzJI(AsgC+8$
zQST<8t!2Gf<MkxLf2z+hS6VpMi^W|W(tj3Ec7e1zk2O5}z!C3_+gU?b#;<Ku^V+Ys
z7jtGH-m4T(P6#HKx&B;PjcM+Hx?^meBcN(pSrO(Z7BHOo*HQnUBSZ-X0V*9&+v-*P
z@9$slbd~ScNjJKaEdLA&`GDO^{mcz!S0rA%r7N1fnZ3eiEH&syNHDshEym%{ehKDz
zU({RtOqn_fSNFjq@87e2?CLiCxWvx!&{}O!0;fz#$z7XS8JtwWPHnRX@;O4H=J*D~
z_$)8275jOMLP;IDCNj?9Ml2$(fI$R7^eaD?7mFsOXg;Aag&+-_jG7yTW<NV$sw7K-
zf`u9UK*@sBAlrJV?$`3+#IHry8Zh<Qf5vP;ihXB$OVNbj{eM111>Kv?p5kqsMJgC6
z!BBQIleacyvOG1N+a=#%{_O;SL60K0*J&Hi;>@f#P~8vM=UXvnXor2V+Dv!n1G5Zk
z*Z75%pJFsln?u)RD+4CTV4Nm16iQ>eY5k5<Emv6akkHNSL%Z<dOzd{H67HdH@#dyl
zxfh1~Zi{jsCmVCxv5pF@-I+<|#spIN1Pi$e9N1(Pt_|e<yk|xO`s*^g1+jq-K0eNu
zD8(9S{TtfFIE^r|;>L!f0hr(trRGK_M`<C~$SDPxiDw{7WIAn!s1+=iAsuiQ^;`rS
zhnPH@?%lk55OJh2JjFbTZ570nkYx@x<SQXvJ`E+3w^;RyXh`qN`}da1iu}3=aimE9
zOoVB?E`gqtTG4@r!@d33sA$Q<@sEHC_{&;8zI1Mha}iS&vXdj@{Ef)3DCc@$0x5wX
zd96B+a`-7swiH*~oA)oX$e&qQqscl2gm69xmmbixBVqH-q?M~tUE<b42e7cU8Jp`m
zh>XIWi^edIUcpFkzf9M<w4*<xym=96n0tygNIAvRoD-hr>e}|<#ZyZCz|eFIgrvlk
z*yD0jNP(4dkhYAzHcjPjG8NuYWbW;4@e)3aGZGoArcZ)%7z5C3@--MGcE%G5%l?)c
z@uDPHhXmPa<10ee-hleg#uKB6Hl|1wNf${d2dn*d6n{x$xI%0{I$IeB+Fup%nsalL
zp7+4fMXsZ3VhGzlcoAqRhT?r%*D8=e4Z4d*<=Q$#PvzG&0iceP$7B%1L>scEbp(dI
z<haYD7s*_b=d7YW(+Fz_Q()wmYj1~Mu$K`j62YiiG<ZZb*)vbkF@}?g@UlLd;qV`c
zeHk^O5mVk<GSEQod5CG)ljTvJ;(>x^H?P!sgXpJ77?3~`pNm?JQgwp*d3~p0y_aJ{
zt6C*r`&D{FKG&5zI<*N?GVvon_1_DX#Q&8Ffl0CW|8cY5NP#%C9=f>GbNsPruW!WT
zQ)@=vK$R8fLVA(z04TrykH|ir#AscuIS#gdolKHCewt6+<?*5F5p9Hf&|d>*9IYk4
z$W`JU=qb58Zc-wDo5o;w2EQ!YMwG~l(heP)JOng*Z=%$PzlWFG3v*-YFZt0zyR{%j
z{R9VTK)f%wC%z0E^L<58b%k?7rA-?-*X~-y@6s<`fY=YgK9jCOw;vV3*a|5=s!z&F
z`c<{J2!*obwc<m4j8z%2F}>2H)Elxv&BV+Z%%BTRDRl{FeoFDA?NBBop?ailY@<RX
zeb>8x_M1-=35XDAN|8bR9{}$U2MM(F9inxArke9OZI?x-AzFCZfe+8o+fustLB-1u
zt;9F)4}}7jNXV^9p^SvUoNMZpixXy(KSG;dQ}w_sMLDl!q+jGlF>VBUU&qRQ(H_PK
z5~;c&^68qc%}(@(f+Dou40sMotti#^pj4r1BOA5Z(I79*J+4ue&l8PKo@;vF*T7vE
zG?!OIIcbqmP6ugUTbOZozYBBa=IZ8W_j|9%(|$=NgrsjGWs&`}K%g5V^ZM4*N!3jI
zj{wk*m7(&{10R*Y&;I{b3Y7KSPEzZH^Y;%h2{(I~SuqFWs`AI5SNclWbxAXgQlA&a
zat5YVzDLyhgEy0<ecdQa^SSDkWxN54!c;S&auc(GNX_T_b~Td8U2qYVm5|LR{5Q@O
zVoyVT<Af#$mMK1MUOByNyvvQiAeAEGs4)&s>AP;T3=u~IxZ_HGz95(@#o*Qs!=wt@
z4Wmio=)>v-(Zj-;D;q?y*Qw~?xKQySda-78^!JkHi^`=4b4}bRS57@wFvLa7v5T>q
zu*#r=cu=VQdBvkES^m+v%XiV@zAiuss^Tgoj}jmo0+$l|@3Zf<NCG_g2R*tc@DOQ#
zX1l%sV(kr*Ie(Y9HpSm^Np`2raqb!aM-#<P5;(@-$q_PXrIdQQt4|C&l&~;jZ|t<o
zk=L<P4iPqt9;(EX$nZEx6vJNpx_ePb06Pv3q)cv!(eZ}E-<>SM{ZmwSx=B=9kU#hh
zOFj(v!#tZ(c%b;DS@`>KSzu9&X?#fp?gs-JMjVXl#JW-pTb;N6_mKhF=f<)aGLt}Y
zeclotjX@(q+p<cl8tgO68!~mVvL8o?f~(rP*~+`K=rvI6CyCB#n4sK0-40|)UsB+M
za#4|8zY|lhRY;aaP1Ukg0U>VxvEMQ}8D_ukfQ4}Z`af)k$ZMH(rD$SHk|*~)RUt<o
z_p@Xk{-5_LFc}E)bdg$FSn8sBtC<+@7p>S)`H4P{{kVC30WPQ^XyTdb-WE7Viwc1{
z*#j8_B6>I^E~J>ugeW+uwznkKpU_tFGgJg7Xh7UAsio)(Vg#A~^SQU1v%Sr^j00`?
zGYZ#EygS2c25C+!B`mN8q8QsnzxTsAZ|_H3bU4>RnogVzm1^HdQxxeQU8cn=>6jhq
z+xH{XI4#hZM?>b+t<3F)B3W^(iX8fVZl#?_{{(se?*R|M(C`1e@TK|EsD`er0ISBQ
z#(VAX3SYhLTgai{)+w$rY|HR7@X0$a#E!p%_{|3`SQAn{*F|KgU=`WeCetrgVGVzE
z4zdvOXi$+wPG6yiq)xhW9nV5HM#L<BB$Eyel|MU0J3KqC{K>18YzymJBi@-*t4}<W
zbZvd9H=?Gw82}K1!5%D}Pwq@%xDdt>v3L`dZ~VMP8e9;RG=9e~t+eVC<2!VZr<9a2
z+~0E;ZK}|78NByFls7r2m~^zcXT0%r0OG4zSq>%nj@%l$ldU1@P&VYq?{iOQ0jz4w
zH)IBU{q00PB7p6*6|&&!=_XTji5E#XEpSL{b^W73{&!V?8q^7%W^M|Y;<OyfP}yDI
zUJ^1jWw_o`G-^2nm|h`_z$ILOlXH=X{RFeXmmWrgRv~`O^xh5dM6Dq_P49j1b!RM?
zY+zdoVQtbA-|tk?!s~-0Gi|o|e74GRc(k7-r}-e#RM;pt64-D<SVE)$!=ZMQ>-Iri
z&gB3t=6jP+kh+Eii877~Fz0KrGh^PF=4KhQz71<gy>A;W)H(ivgpQ2Lfh^6!U%^rQ
zYo;VIp#1NR&7gU=Pg~dY@jVpiA1Q4_INvQ+^#hZVQZt6~uemCcZ;tgv{!m8$F$W#4
zcm0ezuRr-0S7rsc!NHjZU^5~?;&YD7+@MmY<7VFIp+PGNW{~cDOkK&gN)NN43XBmW
z;#Ss)v{@p3pLa#)@L=LDdVCADGx&j}&GO;^;!zPz`=nAQq<DKGL|;NkHSd&1)7l42
zpTjJhtf4~`-Wb)1!%O@3$GJg=1wT|~YnkNowQdYg*RSoW^!Cf#L+U!&{hc}CbM-YZ
zgd$tODyQi4dcP7F8Cm%ca^h>YQ=w0(>VJ-ERYZ`-3TDy@vH*sCBn=(^ggcV5zoGzd
zX)gbN74GQd0BjB$q%dG-h96IZq+$SlY`;-L5D0PpjOzLTV6Hd5K28TboMx@L?c`Bq
z<u<js5BgxiDV`W`>k}Wnasuuw=%j}cW=S}@(c4GHtPJAzVN`f>$R;CL$PczcDdZ$y
ztdy#zd{*41*G87ygYG8tJYeSJX4h|Tz`oZku=qjL1cd_zYnV$z>d0_y_9bFywRaqy
zb<K`i(Ac`oRwjk>Z=8qqxXQn1d1)BQ;%?QkAGm3Tt>c+ezd16n!x8*8=mJpSA`75M
z0W`lWIeZ82Q0-XjZFl<wqaDf->YsbTdHxW){j2OzS4IO&<G*U$fm^3|?bp@<tb-t$
zjFXA9tY+&EUR=ds(9V5432%SU7j6Z@T=cv_5@RStunb($7nYOl7OqFd=Y-!*HF5Q&
z@bi^{UWB~h93JGqj-GbxMYwOZ-0-_yEasAnfv1~^_0hbvw7J$)sVR%?6%3{n1;tb2
z3RH66C{FX?bEEa~grl?P@mkP^mpKMFN(BdZ-`TY|Kz@S(lLz(C0sHN+g2{l_+J|xw
z;MDiuAM)ue0}`-;FPejavx4qW;eTVfzlvEi$Ps<(BRD71lQSmDFJjhAj|E(6aXi*I
zX^QDNW93`$79En`5M{3k(}_sBm50*`1K&0GyhlRI{D{M>1C<ZC_B0*JnU@fOelsyX
zZ|vi-*!;<d_@)Xkfw+DILxv7JfAaQR%e>EO{Bx37fnKlo{$>Uh&%SnV*yli1^;^jh
z2N~>G`=F5cOwtLT6nooOCPdLa)gzx#<$8EBGYV&GUv)PewbYVsblCfE(D^~ti`*K?
z&H7!JU~U^%^bTvf>ZP?EdHZ6(xfH?7stfKw<2C^N{6|7nk{l@JZzdqc3iU_zr-AYM
zZNUYFO`@u3^iA1NSxMzgQ~itzZe(_n$ve<<9ELCi3=BMbm>m3Y*h9#c$7hJ#XY?84
z6@C-SdoV96>lH(_yWJaq{+LN(3Tx$Bz(LSbNi+88^3q`UEyd=n@%z~itcy+R#D~=(
zZQFKq2lk~G;g-PuhJ3<7R@q9G|2+PVQIZS_@RM3*8@$#_Qwx&;Nm&8$l}?W5_|N(6
zG}HE})F(qEVEWOX0@*3l8;qpWQDv&*ZScdz#{9F_Js#MKhs8Klz0BY9N8qj%Yeu2N
zD_ezRUK2Ixj*!czCcm^Isr2*H*7ndU=qfnbJj_lTR6pXIGhfaBPz1=a4r&hGUa=aH
zX)b9qCl%e&Kv!UF@*A@llv_nTouIdp|J#rV{FiM7LCQgn{L%FPv@HK<&t+2!`>w{s
zX)AaXxj(<}*?|u@ucaRws$VRQdA3>pRI3&%^D6e@KR5GA!OAZ$Nw=0>G&|c$O|}En
z;^Dqd#vHtrlf(`=yMmmxkHtTYk|NtgVJyH+6#c+p7bnw4qN`uiy39cJyq$hyS5DDp
z4bl^VK7{sVt{0OGbZ6KA4&uiOiJ>oUg9aBIIb9>*^AVNN7Z=Bqde!*^g~No|I3-Hv
zyeD(93<dBWlltrr(<f@x#mZl%K~-#7El$_MP9q-)IZAEbZM5~CeAV7Uq=Go9yL0gr
z?WyIftRjlQsM{p(<uZGZ^pA8~C=w_asBtLEf3oFNK<Gg#K^yvl)qy}w=I6lwK9GH+
z_4fDoi;js=?raZ6cBST|6hj%w?H{M1!nKe!Izu6i(w`nRi4!}adkewZbfs*ReTPCt
zoz2=qipykfY%0G^erDo&=*l`zo|0I~BF1N^n^lViJ`U#O=WLJSg7#M%x#_GQ#GLMj
z!MVW&#fz{(sd7b|b&SHi_j1ZO29s+y8Bw0c?$~D|->E<98HnIBn)S$qI?aD1#Qob-
zek1~O1RMWoF8Tg1{^$QLKKoCgjYR5gN3qRvN0xbKU%q@~`yCttEn_|>yeHPcX6^cW
zwXjV3266K8jSZP{NjAz2&(GYk5R1BOyqh!N9!Ho|dG@on=YE%M4wr*-CZIe|M^0Ip
z!ncqD3l_=_<|t5&rV@KiOk+GcGM(iOVrALVE5DR`M^}GNo12v{?vP&}51?=FT_Wuu
zdoq*7Gn=qb`oXf?TZtDNs9vAD>pe{dVi)$6u2P+<vUE^wd4gR?^!HKgh(PK<@$@(I
z!N>l6E6i(v&D2A(&Yh8}pXq*a?sAVN@^%6?9TO0Y59yCY_=eH_ef8@o0ETI3lAiMO
zdjh1&4%~K=qrYEAX+(K4ps(<-7lg<$11EOvVJ!6&kPA!uXNFr|K`L*<U=%etuJ6`J
zEPjc7$xmHQQ=K1rJWNteOk+JV7k|Cj{*s`3MPDiRcurYgkrFQj>6nspXy-;iZ?r@;
zl4FQ91FNmv5||s9ADKzxH(&0KS!CG5?0zzBw<VRrrs5)IgRV3-Vot7|e}OikgkiSd
zp84fxgX})GAR-n({XsUp@9WV*cN<@8d{(W-y&hI<Z9_JY)cFVUZ%*P#24YU-&h{JM
z_9`W%n^$jE$9chj{=hm7{S}S{_z3({|3A9EDk#pZixvnWH0~OLLxQ_|aCdjN#@z`H
z0TSHZ-Q9w_ySuwPw=?r+W^UcORsGP_-$QpF*?X<E*FJ}jo}c0PClSy8#tt-a8#)ku
zySu{^jcQ_n7up|eCZ`*(G^-*>RvldF(-toP{8n@+R0KUXHlsn-FrH0zMkuoMV3DNM
z6(MM`2}&!9geB3#P^2$5mt*S9S}ZwYqFGxaKa45;F@Pwt1UQb5PBh)%i)D816qpM~
zwVRvJtU~2^bs~|`eI+KWF}->P+6DoiAdd`+&cc^3u(no64kIXyn!}Y0zFtxypn6*-
zw$Eghq4osM*yWg=Y7!u$;U=wlRf1OgQz0S5pVh7bq2OfrqQw_ZjR*Iq6b|~ky%AtK
zci|f=gxK;g4TtW1R$mSH2r3K!=hm%Kpl%V1qifoIvrQiymnds}{rJSB6uRi^Uw>?Y
zoIib5!Ff0s4UFS3Mz;OA$uA!!$!D*@h0E)YUN^_Pal>;%IHe#av3j7=*B3IeE(1D0
z-c42g9BQ-iOqn1wz~q0F*Qm;)jT<_s)|$)BoA;-h<ZIIZiW_#*yBMgJn8<oETSV^w
z)X$de(K-%DqOO!u5`Aj;bX(|Muj~X#f-H${?`U=8I007T6<pn2rh=)){a%*uOFd+0
zZL04_%mESu#n>EY`(m~B=i?OplpQc8d9AsD#fw-V8g&Vfx{&*{nuSx9<~w9=5&0V$
z#)1s_&@z56D%*ON!`#61K3SgZf9hm<<m)Itf!vba|F<Z}47r`A`x4IYEir~^ew+yl
zviWU8+jNdy4i>4Y0YwIQ8IT@VWX8Xv%6LghNhP4(9<#U~ph^pbFZ&?>v7R`H`9y0)
z$X<>uUq+F<?Z-5cP2ZCs*9|RTbEkcFOyZVWu8cm{g3=-^qqnH{R2Fr{e55Lc>yCgb
z6LwwkeMdYgh=B|bpL<)dy19+tq)i{=UK@ti-M*C)s&O}sgHViC!$##DqGyiaC?w7a
z6PvQuDK)^C$@W8j!;E0JiAnxa+dLTl@kDCeU*jv+!7Gl&Nh{gufyCV}<2VlZsFE0G
zRO=?Iemp97+$x<o4@EOrGx;xH&~67g-Ny5Ss@N_YFoIQ_AQ`%pKlUU9g%fW6IfsFs
z$Okfmelg*{H=O$LN&1}m<<<jit*MOtaiG7y^X<uvQ`59cti5q;dKnAh@yK2)>$<oQ
zG%TKp8#^sjvY!lbA4yw@&V(NPAC;q1hCH5TCx^C70EMZMZxXK?{D-ww{S72&ye=aS
zqD!rOp1+<*>8X!CdX~>^aRt(e4Uj9b`N^UD!2jqT`9^mBn#!GCkn@d*&n+_??t{GZ
z+{a;+Wi*2uc*AaX%aPG!r6z5;W@(|A2Qi@(Boe5em^1XHpYGv9O(kzM!!GP?%65e!
zZPe7NwM4fy-Zr4C3H%sWC*)~YT{Z4UB%rc@QxgVv5C>lPYBo>G)3esOn4d>Y@QWU+
z_gUTc|CL}mBFKGA($DU-es`Pw!LYh;(EX{smnXfN)vG0VesTuT1QlC=bN~L~<)}mr
z&A1S$r<im%Di(Uvcr{?Xn6q3Oj$*m5_Md$&1>r$G`~ZIB(AIKxZwtyX8FOB?oatX{
z(?!VVMl_)@2OOYrn`kAxAfB>htP0J?2JAE_XaW4bX6f@N2-4wlaJe1;D|_sZtKVsV
zWKk&gT1WF|ks!_JwU;d?Y0*(PX-_l-ZqFI&EE~Vj@zR>Xj#@3Ih{hJBJa>g@BF4H+
zK}Cdc`EQ8{;mj=rdzGLthBYwP%?Q$wD174kD5g)lln6xYnXD5VHdDG|EM?WI)^1v>
zE~~13J;5r@wmb}ncP7LQS!^vfakL#_vBOwCBfgw#(XZ|D%-T%oBQvPnm9A5;Lo-;F
z);|Bk;S8iZNWnH>^oHvh1OM5Z74HDs<>!~B$>AoPEqOdskH(SMw;(*n5)UTh1d7CV
z7E0P@J*zHuIj5+?Ini|0S3|}jIz7IBz(8*>SURFBj%R9Gg!5XZfpKN6CEEkJ`n}=d
zb_2J2>#(qDSrF;WAUXXu+0#*KuG4i&*}L;X2t6<>xT0dMCS_c8Obzu3$*`n~`Ib;y
zHKoK<k~b=wOPRe&47W_i;=Mpw2L~3FelpUtzFK=N-pT^|$sk$_nbHqwe)`AuNX+nT
zT746S+|0oerA1!v(9us^OP{P#eMfB_;tHyDR#cG8j(-*2uUXVyKyl->IPD{NRl<Al
z|9y4UUu!8a8B80TWqIkt#J|XlZw&I@OTF(&lUw6V+IGqS`9mdU*}x`DTiJ;!Xjy(|
z@?}pF)ldWV_uzjTo}P|LOvq7jGcxICkxWi|jFwJ2*IfQc3N9tDH}>f{glm%X{kOl<
zDH4Q7*_J<s*lQ;F8&$3H-~ev~`de$q+`x0;%aZR{DLjg5idwt;({jg7#c6=s=Y1@t
z*mNAC5Xe#R_$wKdjUh-Bm|mi~ek8^%J9gnXa$i9i&maqyA^j@ZMxlX0YU$SvA^0N>
zOH}Z?9eDrnhblO~;{dX&DBB|%<#qmp2F-e=zN|8`ZwqP0;U!~XZn|sgb=-qxIx@5B
zH}%4uD7KKk2+q?0^K=~1op%a)a(9&#rDAF~lP_tGM)*j?XfaF9Y+UeCO;tL0IUEiq
zQj2(@ZJh1K($_s7ynDi4PSguVQ2Ym3h{E2JtS$3*4gI&Am@N$E%qjv5BmA=k|0<in
zK%`pRDu2$x2Bm{;=#p^-?>H58xl2Tu?~*by$&HO_=Jn;QKXIR~d!k9BW3U|7JNOyJ
z!~{6l<>B1@w2ABVN9Vb*7pNZP{^!Q<ogg4k*maQJ-cEOq#Ah5TzRuzDx{M@?H6-io
z%7NhAN&C*6jVfjs3j;WbyJF~@7|_mC*MQk7Lx<yJher4u{B=_w+x#j7L$UV4{8#Ba
zZu1a~lg*9FFbq<x`rUXU>_Stx77X%$;FBWpv<$^yc=2#ihk4;B2?ea}C}y1cnP~_2
zO8xE7mmi-Zt1YsbU;Qz|hvcWua01$zV0dGV6?4FTqASs#OrMnB@Rw7Q*Qq0vG+IX_
zVQMWcuD6{;_cc}axx4eEvGq30hJT0+r&e@TI{2yH_Z7Er9Qhxytz#WP0B(9NsrQd;
z30lg!#enk_PIpeXV(u=G8@U4mb$y^Mpa;X1`qbfyWUtNhX_(jhIDL4m<q$m<+4JUz
zH8G5)slP^@I&ocrKke9}yfiU4H;(<FyLAzCvFYD9`8yhT>bUk6C^lXqrk;tHzZ7Bp
zB%7*$uZ>0@F~UL1-!6e+9o%WUt%6s-f5xS$_4@iNqr}!en&hm4+(b0}BT8<i>YTo>
zBYQHLX_g>Paz_X7IfOU|hjkk(xF@SvDx{~hQD_dQM8IU4YFB(kx&X~5Jg?VNcL2Rq
zyph{fk7rOkx%5aL44e`(o8r20RVn$`biQqQTF_6ccgXR*m-nrOp#sssY%ybWGV>&0
z&avO!==EJRg>hdj415cZYPl2bl#WgNljhx${kjXw&^i_(u=>X@nm>P!5u5}p{A#vm
z{-4C+#N_K`9SM)JI@^une!;AAe#4IdR|k4rm(n3_Ar<9l7yXIhrwFo^#|7!7KY=vN
zrph<!;jv`<G0rt<xJ9*S`DHGx%1QHN)Vq@dwoG|>;dlT0GD}8qDgU3_=?2f+`0>x#
z*nkwvE+cM4vH{kQZS(835}_ORTN&|9*I*|{v*i(~1~&s#9v5eDwsv88NHM+H9^WF)
z&!FhHa0@al8Qk>0dDMN$bTKmaEy}`El@6VzMr;#HN>-FOMNf*HQ3D)Nq0Xvx&vfOW
zp-0m^$ZuIuLlhG3m2Zgyd%kVBbbBnf0+^3T@xz<4wLg);7V6ggVgm#TqM&W4PRqNF
zK%w?j$rh4cW1ig6wApZ0+0|m=sSX4HZEh*tERwr)G-}^E1lc|#HbG}&=OS#G)yaL!
z_-_q$f)oU3CRUt+|8q;SIe@8YLD@pjCUprptli`Qrj4gT?-%Go;0_if(}`lqBCCtD
zEEVsIs<(Cit31}1GWNY?`w@zPtCr60?i}`)>nW+`);Ov24FIYa%s9o(*+MvPY`xx8
zC+T0~%NGf`-6Fb2pZt8K`@BfY132v5Vbb7#a*$#u`NdMbw=|x1=%5-T1~6ARsWwN-
zypf`>k}eOsH!w=Pu2(*c@^NT!d?m3043K%M@=X`nR?)i6EH2s&QH>2R8B(-S>Gd=T
z!R?_ib9`yqa18qr<J{)?oh#1p?Z;<-g92674A6O^**ejQBr)9;Q0YvpMTe>`T3u?*
z?lv<3H7LjI{vmg98aDWr%mLr99(te@({Zlx1Rf>QK?bsD)_)Gx&lc)fnd#mcH3hN=
z{zso`MVU`pvThZgOV@U_+=<)#<mug(0ZQx@c#yMZEV-?9($RiO-d&4gDctV2N!4TQ
zeJLU`FKW5u1UC9eGS9Wj%AYMM70}-fDNuZh=Kt3UsCy5+ujqcUovy?v7q6A!iH;5P
ztca|}fVwLsoZkF;%aRHnzEDrz<^h2?pptqqr8*r)h7j^;A@&wQSTR1@)lLPlh(S2z
zOF=8X&z*hs=PZC%H61l(%Bh&=uX7aoVQ4oy>N9gRP9%q2kzu$T-6K_UlFJ#kw(MH+
z$(f!JN{5xcvLp<BohUUPLRuq~nKxD^{!Js?PSgWdY)r2<><*NKQ*pU-@ds9XC|+NH
zxNF((naggBE%?uD)Y@%3HRpAJ^dCiQWAMwbREQ6n9dzbum*mWyNA&xY##fj5V4P|k
z4G<o`ZStj92mAz)J<5iTKc@F%SqK_%Q+t{cr_Ty-|7oQQOyC2Z?-J;OmOFkQsA6oI
zn0Gv~5XH>|3W;!}zTr3U)uRADbk;`4%bosrcgegDTlL9PV{Ba&qmz?auEXdm2_{@u
zYI)Q$kVSNS*}DKmsy}!f29nJ-09AYTVA*la_Gz(PtVm?8qmc@71gZa~(f24(9%!~=
z{}bU+TzZh=Y=;7ds*k03yH;k0VmKx#Hsox)GU``TK3IqcJmM)P6b_wA3vdzY8fRkX
zfE}c>piYyJd`juokw>%cQK1vXK*!8d2%e4&tw^n7jhcY*cv$U-M;N#>^G&7m<*RD}
zKl)fqs5SJtREkso<lMqmNN01g-by%AZ<&x2el0+ur*xiWr=i$kFv?7Vebu2oo}@{5
zeXvg6THg9|+{_J#uu`K%90z55&0HNyrFM$jUwOhXjc~cw;De_5Uo_PfLGG|0ah~4o
z)%~wT`1`4@1K_+BIJhUahvNrc=}+GmiO1Of(!PdOgL@Utdn0~TV#2*tlRax^l!~YO
zhbIw|cbI_mpaq)&-s_lVfE$d|Emho*!1%GBCjP=~{-!7qf5dy4`KxZPfVL5jfiD<9
z2B;$OO9)nb$(9C$5r8cF(!xsp;^&&C`aBj@1x&YnSn3$2VVPI6(urvA-OpkRWN&Dn
zEWb#P%2HaDnA4eJcx&dX1Rog7R~FT-z?u8!FzrV{43V^<VxPd5phK}1sJutvZr%_N
zM~Am0xs@esARVcl@K435vYrY&q$~C!n!#zk>3&MAonUVYY<r~Z4sl+gE$RB<3K*(0
zLRyPersRa$K>w|${28&U-<kaiyX#NV_??D3j8WH<9k^FimybJi@j+uJ0cZ&6@(V&p
z)_I-LVf=vjDU1BEBync8i2dyw?6%I1wHcQU)c?v@$$~!ly$>@9clf+kaq27&`LpOI
zgy&geEb6<r(%3L%yqvUU*c6#sl~Out?@y^P&?joI_gi?Cn8t_>X{W1mnUIM*aA5Yz
z_t)TiC_^C_2SbvV6Q)_q9e=VMu4SkMU0SryDu3xw-99Lkq{<PO<{y?1x)#$Q%CM`!
zNQ}upD%Xf*A;yLA!!R<Rt|LmAr+TOZNK;@rDQF}>=GcasO7l!h4Vi(7b(lF9@%(Vx
z5R?cP+2~tU%dP=x9&fZQjMx-ii$8hk)^H3$5u5xpf9D%-H}N_Ovm<Uj%=rA$h%a~R
ztnO4@t$}tpn&&g|4{KzD5C!Wj`>$Pt?h$f3FvlbORh14T_xOrKJX7ugB8#x0Pd9ct
ze);VN@ZRd%|9ZcdplspyYWqs#T06Jd`E9D+uF*QK=Z}`tCGA80h@Y{Y4$?OnE5kma
zR|~<)Y{iepaM+dukZ~l$WH~39VJGbcOeJr*#*{A67PB9rW|EV>TmEb;@(*D`(LwaI
zXA6NpUCo$_vb&UVuie?CiTcPU%jxf<N(V(bFd%RdY`F=~sla`Tcr0IPC002zU_4^Z
zwp#i)%dC-O_XBcU$RhP-t}xlJuiiBbfoF>Zk0k6KXh<C8NtC_FzB=t<5>AGqb#~<_
z?2Z$UQ#06_s7t*<V{T1%G*ZctFyB;H<(klh@E+!$dhe19h!}>??2O(j2toeyDFIy#
zB+K6JW*wr+DVg%Jyu%23>(VC<2oP>JmDa^1-IJ6)WjMKYqvubM(^1oAVO??YW0ywF
zKABNUWKBp(Vc1Ktj{u!?9Vtm?Je^|}rM>eHX$(y5csDg=tmi7G{WPOel2j}Elf5&9
zsl`-4YKOVj*z_6+uANBqOuCpi9a`{qn-<F?{iWEFTm`3k@WCJ2q~o!)B5s55wjXP+
z&Gd5Y5Qg+kkpvM_GzN!qQIITRz%4=~CyIr=Z+1Fj35_G=(9v|V2~F*&TwTh|1MH(t
z!LOZh8#x+K%Yf;@`iNt(wzhhob>g<sqjfF)InRU(ASz>7n}Xd!X-RBxK#D{ClTNJk
zmMX+AhxWO$acj)%n!}>yTB73k*crGxQ?-vqdKLbQNQJ{HAFvN1j5gKDpRnUi|22pE
z5|V=Su+5=V!f<rGe<|kgGMfr$J!Un>2WhxzW%|+m&Mkl>v;>fLSbS1@%+#^CnAH8U
zW6@@s_H=9#*K0GPQqG9z+Mj!^NbnN>NQzwTerMQ-O#LUf2tq~-OC~qw3QZ|Y78&E*
zm%!j8NH^K*%zuhls2#dtF823)_xWnYOnbVm6n#z4oz=N&$}rdtMRr7$fs1X=Z?)Ap
zE+13Uz0qj@LL#a~E}#?(Jbw9e*DrC42Qj{%X;$e4l}%BXayQ+;T3^Y?#d8DQ#2=BT
zNQWc_+3jR@9Wu)cOiwHv(r!hP5HQXHc;CCT{l)+V85-3sp(0xF4#chuTP)%TA*Xj<
z-ZBpL*+s;PkRadU*5EgL3P(>8q7^*D!_@45IxE2-g#*FTz?c}4VSN8B(1MCi5*bg)
zp(}1aAZK=mGU|M@`yf^MxPoU?z+T2}s!P^__j*R-<zQc8Y%F?W!lIDOwVI9&BkDC|
zh8A<VsGg@Z%_4UIWCkR4(cc62RdD^+f*Rx3@|x{!{I*%V`ItImmvg{R%(5WZ+A!WZ
z?W1I1&SPe2Qq|&2{z-5_bq}&F=aMnIcGPE}!DZ<H(&BM6k)Rs4xpkFvpTGcbDYo=$
z<`EpAe=uJ^BsRx9do4JP05urWDOag`s+X@#F$cKg;J|pkSQqPmgexk8B2|>rUvNHr
z>x^nY%QtSC_#Qr4{g~tOyFi|pe%uLP>T<aR?^53z)^vhK{*&iqEBwqi(L0T3=BBwx
ze)ZWB9a&m&3g*tEN}OS6>ks}2{|ozH1;Av$aH8OS|I{mf=UfZuYp*Fwi%mbw-!fPM
zd4<Us8tI{A(k)Iq)bOD6IEiU-t-jZNP`W|dO^JyLj&7rp8>y-nkwsTZg|m#1POg~4
z-?Y%DBM)`l>_|=gIWa9gdd}-WsrA+o57LBiKSVJW*O1Uu9{j2FCbfFZ%RJVSfTGhv
zyR-4+&=8dp*DI{VP{ZajOiFRWYfYs0CWQ8avRpB0_Lr)<eVDPMSx?*T(EEM)Y=KI?
z#;<a~^C_U|PY~@7DQfka*iOq~ETW)~BMnn`WH9G3i=a|eQIsfE<(d!<rJTv5a3ADR
zRP5ViDP}=*&^rFmgVp*DfqLrr&f;*&lahS*#3mnMiuG20{Y0Zx=G+UP=1^Iyuk~S8
zR!2V~HtSS6mck?T`thWGYxY9TVvtDXXl^a;sLyY~?#|{PfKI0gNoL7*(KBWf5d2rK
z`k%}VC88@?{$!}SQyHsqA9%cO+WDK=%%ZM~#e#?+Vc*U|P)LXvBeM`d03DyxRyiV(
zT!gLAbPZsM3Hv{O2!{wRrkQDj5f?uq=k|z5UOgBkd3=XvI~u4>Wv^4V#y)9s9y8WU
zlEGrf?`TV{O^Q=z^1|7kyB)Ob0`ZRJCpl&fP$N}?q4-KdQIEy7F(s@jCxU=JN^!_-
zIjiYm)y{&x$f26a4imekkiHOas7vjLrKSHhSOwDe-MG(JR~@sAY4R-NPf21o*r5ga
zPZ=&WXS$xvgW;d8V9og}t@|{LbU}(D1<Uy#PbB9LpVyv-cR>+^|D;`?4r!7ftNOU8
zPz)uP^PL#f@zymFfOl~3Af1qWQEyM<@^4Dwy~dwuGm3eYg4yWzx1*(hcvotXRx2z%
zs17IuR2j#~&#`bvouc7j{pD7)qy^_Wyks|ToMAwe#LrLSM##5s^~6h+*ps(a=d^Jz
zqn4MedVNaiMg)ozA@&V~(`f6h``djjz~M_k+eY>KY7&y=FrmtJk<Z+&dta(`pg*M#
zLCjAdTYDqxGjwe$b^FnBtlf3x@wrGf$S*h29%PI&wzV>-4Ncmw5-X4C=(mE#{2DM~
zXRlvPwXQK)c^@JF>x1Uu0ITZ5V86vzDu=7OE#;Nc#@YuLeO&b;A)P)f#6k^i9R4$l
zo3-XWH>s!QNKjrta{vF7S3w-)yRd)e|8~}2trLI0heP)rX(0E6Aw5p1Fsc7S4(`b6
zkmjPN;qD~kl+Tto=|m*@7SOISrP^p{VZdPn2db%n3UlAV(m5Xzma|k;R-K;{QqDX&
zVeW1imS`~;-;I!36})JsGyaM`<giVzTy&0R(EVyhojIy0i9_^(@CBYbF3M-VjPXa_
zD&5{~XO&uF?sj^=*H4n6k=u_4But~CJSqdwZscu0<VdV@k|sv`7xQd1(~_eRxNX@>
z_TXl3uj)2BngBF=IbYE@0*$Q{i&!oRU}6!InkdwHQ4CNONVElK1qtDeYs$vOiNE)z
zM~uuk`l&cLThg$f6#QF<1V_SBgHRyGWrz5;4hafaq_WF`CFo00qbI?nHzDp`8dZfG
zkdRf7_ji5mVlQ}sJ0${s!f7AaZniy*=f2TPP!=0!4TXRw){vws$m9tUxn&_?NMy`t
zGvgjHWlC655tD8mqBakweL0t>_$};$kT%lz)%N0J63JW5-0U`2eh6jKbM~G}1b?~b
zjb?JBL@q;XRKrixtH#(R(3xwe$fRyON<$$5-?LAX=4qDDo^U=S+gymJQx;P>JF7EU
z#cf@OglpxTz?oJJmuaEqwVFnIKMTPP6sK=8n{E_{ak@y#zU%-rCVOI)d@cQzm5Njq
z%6m1LX5)@u4WffeG9q$hx9Dxv<4?ZaRp*>y1SrefEfJfYR8eTusrLo+7Vm~FmXH@~
zu<^R>Nl7`{tupc1=FRD(em8#Pg#RK}h^Ik>tCSqk_a-iI0<)uejOSc6eo8RNjf(AW
zKmS{R{rlzXi(&)dYb-ADee|XO^C9SwFE!bZcJf5)mE&=im14HwRvT)o%Is<P!(?vb
zdC<%R13cCl-^`8U;)jRI-2xMH0JZ#7&+fY<8HI&n)eX}O7Dq>y&2u3W(?OD)4Fg@=
z&H2M(<fqKdV$S)r8~`^DtI_A6`nNQ84o-uJaa3{_$^!@Jazsg~#4Ci44BppMZwo1I
zlVVK2%*czJIC#H<xDOa4l$1}oo+~>8x0DQ+dGbIAfaBAUn&e{Fmi4Kdioe@Kls$>s
zG}wHgboZR5paqwZKlYxRz<`6JxxA8=yKB5DkyvqACCOI65v&;s(vl@@X+kWv*CnDx
zczmY}xP+ylp}`13ZFlVEn1wAvq>@cMt1G?P3>$E}aHX?!uu@)CT53r!OT0aRKfj<(
z9ItRALpyt`sdJ@@A+AIJB|&i<XYXVn?4{1uIb!ww?yX-;wOfBFyX|m<2(UuYBytwx
z=!fOk8QI~(pduD{$)#+^f_Ww;Yra_a9xC1{flf+hssdx}Wve08yebUmZFmHYqyNWb
z5)am`V$mRum3{KxYeYImi3nKnhnxw9s2^~{Ibkt`VIed`_{bq6N5+!Zp5h~uqVG<b
zX+0(tMhc&9;h9{wyHRfwTHW)82gR4D>Xk=0NFgTPHopo>c%NRPej__z6e@q*B!4~5
zoeR<n0o15d?w(n_1iD`IATq9b?^l4tC7E-70KSCt)b>?4;<CxA$cuNyVpd$VzERP|
z?I@n}*I!oY(`biTaKAALXGq6HA~s`tjV0OsfJJIVnTJYz<S!a`zK9;~wS$o_<`{k@
z18UM_^K2e8pF?cEA{h{@78I~Jrc#8sS{-)=Y3CPEyN_0XocmnqV&s;l-6}lL!*x2W
zZ?ItqwIWQC|2@USla1%_yQ9_MQ+NR9LU3;GF2Nx?4>5A6Q8VQa$f{%icrt^Es2yue
z(?$b9^-v&ja{y6ci1r<(_SC2*G5fQY$MU9UNwSfBy^AGxnIq~B(qP1lZr~5vzmA>z
zy&aH=LGFm~d8n@q|FR@72y6&D>)M82Nk7k}R#v`Un|}sH?`uB3Ga*_Ungp2@*Jjrv
zd+*^C5H@U4l*+qV7goGKfF?g(B2IU5A1Nu7LqU2^5RJ%m#2|)R5FL$ri58&k`Mr5{
zn}i$Q%yyLPj9w)v{_WgeqRVqH=xy{lU8Ahruzv}yZytr^w<P7mHwT%ww>Lc8*^*LE
zQb}$=D5VXE_Eyy#`-MI8NS5rXi>f9t@YyfZqef<H;1Ltou%_gbTM>1&xglq;%2Pvn
zJek#GgY(3VpnId}t6bTv{!IPN=e27iIdnNwc@edx19rTnayO%cCXCyGu+56v<$9@O
zqu?y!(|gcC<Snh8&e8LZlslHWKs`zIvfE7CirCSQ@;W1jI05(jY-qR^SSqNrLdQSr
zp^Es$F&i<?@C=5NXDFMb2ZCIIR<#jVVth`TNi6Y;>kUH5zXk}lDbbIL%2>XV;tI`g
z4zh22pO<A;LNG4K5~TZQ)HMV_=ys84+~yAw0X^yB&v;8V>7tJy38e{CT9%cv%mDSU
zj5GQ=TuQ<pwC)o#PW68D?$ES3|FJy2M}93i4w+1&^tiZolB5IZ#i!CjSvUBCNAjR#
z-cmAw>O;2g2t1nZ1t?ESGc;~}zFV=s4mPV-H~xki5@iGgjvTL6_oYb4V00?@ps*GE
z#ZZvP?KdD=X|6zg!n<U9Tl{p0x~R+3V-&s7sv6!duz1l>fCnG8*pv%JA~u}OGhd!!
z?pNAE-Qu2O6Lfh^<yWn(-R}vGZc(~nY0t#v=;$KbvGw2!{SUB9%rqEvg;>iLn5+KW
zKpc~-Ppx-UJQPlt@Iu5{Cq48Ruen;9{o(RY?rMmGd5Bf<1j3RgV8f5A-{JK?J2k7f
zJ&<ImqbJ{W5y5*-YgkM!>9$A>^FjR)oj{<$$43GT=bI=J#Q(79?{(F|2Y{QRo-7R^
zz1_4ZTR(c23ugctXAZMj^ZJp~!ouU438}TlrG%HDkpq+CNT1T82uYp^3kbI)>@dkk
zn73V{Q6HFhOh+eY{tz<Smn;iA#!&Y5VofjjIV9z<tLGdB#u3=|*PPd*%;FGLjA6p7
zeNN|=1_-GJ5$&h&yVub&x6$34zQnzMq3=}ae)h14dJh_I25zksiJN-~Pmh*b2`=KY
z6T22=cJ(V1bJZ1^wwd&5bTe`MhyE0->z0na2>5*55L=DZlYY5IqLP9{pm`(7&hgOw
zfR5v1#FRs&Rmo(rV5Gt&B5CQO1&V|$c9=t8Q0%5lO3MdS5o`nvN7XDCz)*pvoDF@v
z@@)L$XUBLP0oU;8fEE!7dw0J8C3B&fJeYvj!((Tr6cuIXht-_gkjQymMGLwZvQL{C
zF$#A{EiXpiq3}*x#h$M5fjvio66}D2OuMg@N!h;PvcDiN4(Yz-O;CeEjj%H#f!!a2
z0tQIG!il5yW&4jf*a3;N9QLuI&)mKXO~Nr|9|V~8<9wtqwcMY8yXfAx2v>FSZOdF6
z8<8>Oz2^$rOqqMV&1VemGE3H@tKNK?=TqJhqoWBbuNN94VdWkz4;RI0gjMF{OKf(R
z9F9?m`9mSur7{plOlpJWh)=cTZyBzG*`I*Q`v91h7uQacv1zL-8J(x9hg54#YnJ7y
zfJcW9fAtw*Q9^i(Zjz63**qtdNXUq14_L70i93nBe0L!f5&qzW0%sh*kk?B%;?_&e
zBGz}+*c+P|gGuSz+-WW+4{^K@CN8N=rr*Ipl0ySa$seMP+QeUuu(O@cLaJBUrZw%S
zT+2OvB1@(J#lcV3vngC($;s(E$0UOEw^NeM4007JeTq%E9j=uMdJ0MkPO`RJgH<Kl
zpxY$DqKkthEtLg?P9ocx0=S;A;vDOKGy!bs@Q`>9!GIVkKFVAEpJS9gfw{fkEG156
zC=YKxW9#3z%?Jv;RGAbX&oIYCuqgeIx<c1WP@a}s=p`l-;1o-cDt<>dF^#_cpQ&m7
zt=l%&gFXMtgg{w9hVK-AFuuNrdF^<x4Ha}Qyl)$HKP1>l!MWkY+~<cqleH_6UCO&<
zpp%LA%e1;hGUr+Q7}wEvzg-BomuQ+4$eOxJE3Zx3wJ%r5yp;ekzC+lfQ|R+b#`cD^
z?>;S);c2f|TA13FX%F3Jl!a>#9iF|KSJ-dj$x&c9zki%=5b8R}YM^jQ(rz~)9TV@{
zUt4O8U~V<56D`8zD}+K%!3fck`S{IP*1ylIuJ8nX5hu(E^8iw4z$k27$lWxB$-z{t
zdQp7NS7?nCK&=@ahJi4rUGD;ZlFb@rRbrhGyJc@2u5D0w48sne*C|Yh6%!gvmDd@F
zr%7-aN@YU7{Xt9h`YQ$YPZPWo3KT^S%PhY1TeiM0rpHAE&4MPJ8=_5imGGT7#hoGb
z;kQn>SU{o`YR-Z~FI2b5ItrzwHL)V`W>XW`mik4<i)<<qj#xW-f8xqp+zQdystD#$
z%Y0lBDh0JL&P%AEQb#m{Pb`7KAO08DK-QF(kS^FVB&rV{|ISKB11i?k5l`Efgk|BK
zJV|>qFTLe@w%!jA$pSvc&P)$`=x1KZ51oD@!{o15-prAn`$i1EdSz&Sh>6&F&Hel^
z%=@u%jB7V5%=6ng$H5uz1KL$x`XlyLN)XRv%d_Y2tM<A@NEH(+j=0=wzI1(?kcQkY
zI85KHmX;}AN2IOFoAWBIQOO;ZkzKE2;l&Qd@G1>o*s<alg>CzLIUUQ*Bpf`jgOC!*
z0I#GF3cG3Pi$LgDxPupU*>2<9Oo7Z;Gf}ZlK*fCMaiQc?ZCbM92sVC;>B?-?TIJd%
z4!{45bP;xUnv)qffvmBRz^vf9mi`P!sTg0Bci!H}p}53-=!v2<y8^kr6`f(61AZlz
zN8ww>7wS-R!ajgri>N&X?sO>{B891?qM>}8GVuitVKe)TcB~Y9MNxaNZ});`<W}Kg
z&tc0v&rO#FHKux74`yiFBFca>emsN0&~Zhz0?3_v&_pJRu7teup^Ny(b?&#K^;sd-
z`1`In7pmtkZiVu#OlZX{x~+M<-+!3qXe=O$!K)a7rjO=Z@Sn8Q8|u^i6iDe`xmbh+
z_itKKM8W!f*urQ=`NOw>$>TszQa%SCkV7ov?OR&<^VOhp`-(@bw#wy&%1estBf83<
zr{hcf6$i4b|6`;a#Q4`S4v~3VPI72llyTP&h>7*Bn<gVyG@fjv;4fcD!967ne?T&o
zG-Kn*9u!JFNwe`oq~wtETm;2?x)%aHrBJ#WMr9zQB9k4fQH8fW5H{ruezR8JUC8_3
z{`f-Jp`qRR<&SubTVcvPR=w0D!<bbLnvOxrRv9ukL>Qv^+C}QThjRH%yVBJ5nu$VX
z?+ax5GUuRf)d|a^lM3nZLMlC91u;^ywBswjoy?gw_@+HGw(2U!D?dMk?HGo9w+(aK
zuq%wl<)rdmOCfQ5sth$Hw3f&mt4N{mT?!DK{#M2qC8i);<yYLzhpEJza<LE)o0rv8
z%o2MhT=oDBBZlY6>XmfnjPB)TPeEuLAuO~X(40m6+18mt|LXy9Mu%6mJ`R6TZER&u
zo7}(L+xHhr2W1D;5bErILS8@MJiI*B)82y7`W4}!SHy*2oE1E+VJn15`qg!TbJe_!
z-d;1xyDV!PKXE#{?fUi+R8FBsT(zL#eG|AC6CsHENkZTzF#K?>UQs_8?K8V}<8*b|
z?(zXIljS#`%)6IcXnPmr>x;CWLtTAFa<%t%k8F=Z`dqUz<(>B#VCwX<?&^!lef~T6
zZo=<>A(jM`@v9{YZoHHJ;hL1M<ojRDl8O{kqz=s3uXP-(9My=F2C8hM;8X1nmWN*-
zwLP3*)L>`}8izff0ZXZ0u_<rFK8m$#s{|J;${0qOn_+FtCq&;%<Pa(Qb_~LS0_l~I
z*sBZ)HYzS`Ov=fmV<Z#`utZUXbLbXi+Zv42xS5W?ET>|MA5I?kWLR6OiOrVf%Z!L1
zx5N#!yR*Hxoz!Y@gEX(dmpZx~n5c9rnpbi!JU*C;=~Xvt&&oEp6wej_W{fn>Z`EaB
zpnbrB{QhsfpaTP$4`Lj{HxTz<evX9zp;W&XNZj<AWy(@F%4+-+2C+y$R|e@2bsA^A
zW~BXE#>)iiw74ite{j8;K5G&nqj8;-Ig7t4|C#<;CCuAU?s<e@FzOl1{xYqAhjUsR
zMb%XvvPqIr{}PnWT>e(f%ldX|y=HMMeZoTPdN?Ii^y8CCRW=jNB2M#NLi$TkJEO5z
zAZrzTn$DHuBDlflFTwSg7=QghUpEN1HZBfM;&Sm6xF~PcDYBOWMVc4?08149=q(xz
zn4Jbq)qL^xFk{~H04FkgArJeOX%kfO`y}7jY=Y}YqI}GN8N&Tz7q(B@{XfaTzbwrj
zXPHscOf7w3ho;P<(VStJ6h_vkJq+RKe}!7Ya3tT~S((p?$59%=gy5guqbOHY+-{9J
zIo?fHYreSC%f*eHAln8G4fXaKyCR-&xXc>uI3p|M1|LBK_Y7;>6Ll<n9aVWIZ1Zwh
z4+dT99uLz=Yf>n}gjSwl6ezT79ONis!diK5G+0cCCvH2TB6A<)ByZd`>|-)b>QL(6
z*JjKovzq>AzHU)K^L2X}<oxe^f%*C(2U}AsC(huuE4`S4wpRhU%~t9f!`zx<(8B;Z
z*8<nAUVI20FSaqmv+cm~3{7=Sl_ifz)mY=Xezo-)&(9gayPGUjyFGj^%QS}t;*sXE
zr_hId+%~JUyY4f_r`zMq<|_wGo|@87Rcm(eRb^wnQI9Lu*LrrBM{HxqT59^^h1R8I
z5R-A;E^il3JFeOB{YCgYwtgq@{a|9UbECuZK>o>xTV+wrl-gu3=b_;^ic23>QDQWG
zq%1~4If-?;XR~BK*yRKh8-o0UZJ0-_KBn5-&P|j+KRH!cf`K0DkMA4X>9G&FL=Pgs
z=8n#yIA9&$07GIv36y!9Jqf2hOGCjNTNS+4Q!h>OWyj0U3g8cmPZ+fWoWArYcL*Ma
zZRFIVl2&iB2Pr+O<&B0Vm~$yh4V6{BJe(rRg>3*l9@oLsgpeSQk{e#%mI$m}nw~V5
zs+pKbifIZXYIq$3_;_%rr9?%Lz5fFigyerFBo5i;P1Abl`4{rP$prMz;nIATb1a;$
zDw>lg{1DMG_;sfN&*NL^re0eMv~*{Ur$f7}2O-?{LlVZ5+@OoAmvCAaw_obl^wZpa
z_3WM(=8M&*6J#g77JFMgEfw>cX+PYZvC1^Bqg+|gx`dFtnR=UJ-kcB;pe7ty><+(t
z7&*vKF-JIAqfMWZW)D~dwU;hNg$$j9AZY)#Na)@J_Gb<|FROmnRj$Z+-w{iBt+Ol@
z;W!DaTWpASU763*JUVO?hrliODci9Kv<e%wWt24)%sOcWL1`t2cM0pGrc7&kPZT;i
zr5q=7EXLedGqjtIsZ5h_JR3C=^H_>tAZN*cF2Tkvqs5`AFGSGVnlCkzl6#FjtD+vL
zKeVlmVTZvNBlrjdHIhgq!4f};wVxRht#_|L<+!!JPqZOWDpxq@q^)KUwiRX+wx%R5
z?dgbGe%Q@ZL-uK3Vr%mDk=eq`vZ-t?*zM?RsNhuS+ejXs*4z_xmV{0!;5`a|r35R|
ze=<uZ0Z3DU?=j{>`iI?v-gqK+NHw*c^J7CMA+3iXr3r55Up`Mpwki&mzwHMJ-L!-5
z+}qtoy&X7exv$l3T6R0*zV1$NwO`$+&I!@E%YD(a8++n?`EnK2?vn3%*oc|r+<M8I
z7&gYCaf}&FYmR($LfY|RNh=S8Yv^3uFFTiNdSu>Zsm!BA%S{H*{=H{KIzI7#QHhE&
zc$m>~i<r79M&ANlJO`AfI@A}EP?3g_O*h!r088qAz1+0U3T#=66<tis!$B!WRO#tk
z*uCbHh4{6(l){y;<9O>b%$}Cz4GV=~)$YZQ45moD5{_<EyG%2X>zUqv6t?UV6ACXn
zIR1%3{?IRAQ7MAHWbuJ)O%1n12(O4%_^?f$--34%`U9GyLs3QPv==$viAk#@RT*bp
zNv*bL;n;}UlV_$In<wXOaxjt&yJn2^eBRDCyI4h~X7zpR(n6qzWtB+Y>#^gs^oE1t
z?^OBcbu0<unTv@_c-c^YYr)`1^OcY+cVz3g`al+zW!B}@QpmGxDIfCvdq*AjgIJmN
z=gs(mqcrV18T=@IGZfkT9N#7UhB2%tZkt|gqU`8Yv&*qC5Vtwl(=uGWDS9)c;kY`M
zCz>!-z-`|rU-nh3Cy%W7d{v3{cioFmoG&s$#Kf2c5S*TdnTA;E!4420p9Mn5($AFL
zP9x$6ov^bR_>Hdg*d{R*v>|Jv<=0IcXEU3KLe?eiqlLhJ3=Nms++%{UmL6IW$-i}_
zHVQ3ot<jG&!ORg-wX~TOxXIFXq>jq`2AQ;Pk4rtQeBB`J<*;;K7n3$Ft)Hc-q*qt4
zQ-xL!EkX0cTZ0VmHJyisDWrH626sHSS|%25ZlX;XuP}DrTNC!gLC098#ld8%Zx41>
z{Nkiub3#!LMolGnnq|l-i|txWu1B=!n*rc-=nnI-*2?|3rZ1ap@L@m66hS!fMMF4%
zdnxaxA+PkWTEpKn(DC`V^xn{c-4h;^@L!YENAR|kk>!;VQz#Y?zT|<nx$JxFZCc>0
zU23@%qD7Y|f9gX_T8WO{Rr&m7KgN?>90F11b=iA6m_Axzx5|F(?vqiHfTd*uqSvkY
zRn}cw7wOxx4yfxABg&hrP><@`<}Bkwtlme^DdNBJs~7Y>+ROEGi<+uh9He@3i9xA(
zr{ILLGr9%&%1oZB%>rJM>1N4fQ3Idy64lmD0oRX!m!P_aVW64&y5y#_twiD@340&|
zeoIn<SX4X&uA@-h0BmF}s5^6r@k()vd~RauP%~ftwyJ~=9k@pk@2ZDQE%DWe7<LLP
zrJ`h+Z9#w~mc)W<??<Uw%}2hLeX?=jNSlD|%(Sg3cU{!9YA|n6j00<tuwGCgj?j3&
z5EUBx_vWZ1!R$>jwpZs)jw&f5L@6pufticAil_tuYm{atw)YF7l>&qY%v;*#Q<Xu1
zltYK)Xf~gw<p%f(HBO3}^2b*@qauu8wQf($(F{)A$Lant3&{$B<i#Q)Kd1lX?!R}3
zFO@IAZ6=xv&=2zWPbk27-B7n%wY?!nGVosClMi<9ULF=T?xdY1h~TkVBBVPt)pte9
zb7fxQi6gjeEUj6VH67bsjj9kn^t}@R|BI*UmO$^vJWLLTva_&SkdfaXPz@k8`i_Rn
zb@DqIYnLj?Bw(^Ave;rgig#j}##YPC$6w72)M?}UV*@zErA#*}1HvNcEMbSJ+Uu&!
zl|cj#s<m$NusE&^Hc}|e5<$#kqHf-PpHu<CpA=;9Wpe73Q-^pckV$<K2KHlL2&BRu
z(^?Qs^$!<s9vzE)1e&ra5<irp%V))Ee^suz5ad}vRM0vdwc1mpE4a%-El|)rJ&@PS
zjyVBi(5NF}{}K2@MZbb0@Gz|#@_&Ykzr#2@Gy!-4I7#q7fySrf9%){Ub<Qq(q&9r)
zwnvmt_Xv8P9DL%a<1=7?&-+?v*B$>B+WvtQu@Zcos`nk^)Nb^hXCK!|XV?KD-{bkh
zrj9iJs(0W+{M#jm{Xyd%s7Qnt=br@-C+TE(hHOfm#(7016!<-5^IQ;I_-$=%dY@8K
zb8~zyNm|M3ZF<4TL(co^-|Ov=-9I$Noje5~j_ZF#MH*CT%ZwPEDONNb!Ud|@v=N(y
z3NaAcd6MkE$n(Yr$aMJ3%s?)o(=6`_YvIy<DXUc;xx8TCY$wxP2-KRk@04kF)e816
z-C-EY^)+-bvMix~XJ@RaGFR5<7R#Yerkpf#m}PV_<)mfNTx8g(G~ruf)UQU41KvCU
zbG@MhoLf>-R*G=ZsdhIZ%zQGd+&J<?OTs~|pFa2@BAujftAuP@rg*eq0J%g%dy{1J
z;1LF;a5}R_(x-y1=Lna%LUB?hQ}gdAgF$Zt)=$mTVAcN(Cc2UUf7ZEP(_p*w3Xf_!
z)<w-Fte+jSzkP%@C`dBjQW~7gT^G?+lHTQ~8PD$P%wJVCROps9Zy8_3NYG}J5Q>8l
zvA@1t1bLUHuyu2QT9{boG2$i&e59ChmH@vG!iGciHK=AZZmiX3n}{9rP1>Jg@4R0&
z&7VDCE>E@D+x90R<*VY<ZzT%raNE8rqbW2TNP}Tft6u4-E7%t!21Xtqm~K`UgeD=O
z+sbw0CvLzv|Lk-tmKxx_GWG<9<2Hy0C?roJc`nQ=429q4i2q#4BGN|#+jF{S0$53=
zqEX;U6b)__ebO)wOtpigfsu>ZZ*awp1KKvhZym48v*w*5IWfADuAOKM25>~hKE~o1
zJ=Nus(<=3j|1r$`Ubb|)AVYA$X%?{KlODpq>Ntq=LP_yismGmZZc;dpXXqh94nkgw
zy+4Y%M<u&lep;6UDcOmz2%j)Wy^IoQ9xZlQX7zAY1O36Q!<t6q>PrjC#g(QH9fAz+
zq5nEqA4*Es)^!2YJ}i0}X>5AlNGsVXm%gZ-f_by7_ED>`Cl}aYU^S8NG%us)r!f-|
z9}J`KYY?jbRPv)$-<Dn&C`9Y7e4zF5gC~=hl9&u(oRVHw{JzzlaI;kTOBVSXs6mqE
z&Vj$S%TB2A{A1cLHjHqQS+us<*t*%)HF>|Y%J*`LK=UkcS9Bdwha8-JrhS@TG8#La
z>9~1G14^?>zAS~P0oHvdD(KxEOABkBLn;hg*6P$~ie6cl!56QvRgT-tn7Gopl(Qci
zQ>=wbC(=qMI6bmuU-qR-lDmO@pHPD>q)Ol_hgIQ?gV~9h{uf2DkU^vS+1r(!$bc{5
zzhE!?uNHZ1Wmn6FL12pk9}?svQ3opVv*J7Lt03=iowwW6-W2;x_Ji%{(vxAtsPxC^
zWW@tYtj~A+K6M{uV&V|<^%YnMt=BBu4~;obYBG;;A6|LB1ycNmIdIhAUKFdyZlq-R
z57$fuN7DR5>@yYt7$tdm!xh}p+F$Ur4s?N@JKT$qILVe>81{QxQBp@uSI%x(KM1rw
zn(6f7NZ5JcL>G;lk*KkG#Zf1*E*=>_%(tj%0GBR4IKdPOkTaRRRMH!pgp0RVTf2t>
z50YT3a|5%6k_^DB_TSN<{9wSPla&tp80+P-)bp~+B_XG?m@dkxu{_vmdq!X}Q&}-3
z<*+<nXLCsO{S{SVT5TobtLd^8@luwT!Q%+J#xh*nG2w0JXs*$ZQ?#G>YS!;9$XGDu
z+^RX5)D4&uGBZQ@{wK@m8Uoe<e8kNMNdN7}=c9$}#NBM&{|Zt@GZ?|!KCEc3(eb(+
z5D&jMN&5n`(Oz<9368QP;6ol8flq&QY6dWaqddCCiQN%;LJO-=a5!T<ijKC8OvY8;
zRjC+Ppd%xTdR4_?{yncC<-c#&c!YvGJP=i)v+z>dzLqFivu4-f+cmP7Ewtz7{=f$a
zqEC<g3-Za~b6kPrvO&5mQC?CIC|;w|SlN+&E9XIF+;Nd(a+hP~DK`SCNs`-+1+oOj
zTaSc@qo0Ntwrup?mZQS`-V3!<sk|4BfHZ1pu~x+w;<79l5J*z4joHpVkt%7(DE+)-
z&ysvlrMTh(OPS=LTmz>PlBi@W;UtCc@)NQfF3GlH(6Q<OYQ3YWdXz_=a@M-XS&I#w
zqK^GW-=I|Kph`i&fVHrg=42Wd`um5TGA+Kp^YdQ@uRx!UGADPS0cI}vLUJXy&H?-{
z+5f9n212o?T0*Q9S>hCFrI@VDK<5SHg1Gvz(#h)4szOP*_&M-GXl9KyA>R1egWk4!
zerHpmpkph`VB5l_I>+j|-ufw5;85u;s25s|d8#je#0asq|07S0j>k3`BpclC27(pT
z^)>3ZJmY;w@~fD0+tb%~m&JWL$t%^%^6-mRluTltFDLbh)rg;%_CB(i-VdNRt=t1-
zoVjh<U2TkexgMh=hS5kb_aA)g?_i|rw7vU)yUSmLMiy#Dl;R`jqjTK%UhWdNn2=u!
z!te!}Zq4L0IC$9J{RW5BL>+zHJWe#@?B}Znh&W!0S`GfpaXSH#*=~}x)K*n%2N<3u
zrRvI6DY_O@VgkG=c=GeIh&>#w7#M1M8r;ISFf+TPCNgMDLqwLaRE4y7g}r^YV)&kg
zfO6qZ%Bd@m?N80+GNCKL!kpG}&W_OP21X5Z-@A=kYDH>pG&ORw3hNFtCx*#v8ng{6
zyv^IGr}0@gnj_{!4%A`21qGg6an%8YN(b6nTH%UsCPgbBi9!sJ++b$H0b)8i{ri!m
zLMsr@twhvzuHb+t>D0)PW7ccIR6A%V7~23fR(0&g_%7yK%}fZhpB$)No<V*XfT67_
zSZ^oIl}~NQu4hI3zOGH&`^?)y?^jBNHNNL<Qfsqw@)vQg^pup0Eh<m4{g9mKXU-a<
z*@YfdooC(?cND@izn1aE`UMP1O3z8^%N{33H|benLG(nGE9Nx~G<ojB2_zW8%haE+
zk5@f{K}BK`+VG|S#6*MNhU^3U&kcfDPt+0M|JYxTKSS8rQ#W;CDB)C!T2sUW1C1|l
zK^{#OO7P(CSMB#kv?<To0KTIbu$nXyuv+!v-FtcxumBBsBP1*)@K@$Top`TKlW}QX
z#Q!C?z!)%c{?)5>xv8w}{-O{q@3dn&sF^tnyS6Y~sWMK_*5+bQbDgG@?W)E8Mn&F5
z^0`y>Oh-dnQ)^90@&@)HLLlt-Lf*za=*@Vi*Q^M--r4JKAd&7$lGkzmQ|&LW5^Wx2
z3i#{_3%oD(7PQh(RVe5lB?5Fsp+p}D=!-uT$=kk717g4g0rlwSb&X&3VPN0evN27o
z8qEOQ`NhGq1jAekC&P2AnB`|YnP5u9*_KwV4amH##Dmfr3ZGso3SQs~36HuABrVaE
zV)x=W@Rs)cO6I*Nl;-P6IcvUoEYjXk>_k<-R4Gwc%Lc^Dl1%89x`_EVMkmeN@dEgw
zFNw)1Sp?Pd0esh#bMN?nOm8i<WC<U^y{}qCEuYaFKTPUO>y#mwtHe_6pFb`@_(PFF
zmk^TDG1n1yb^NP`gF!Mt-jB-e=BW$Y<s|jmh!XeU|N6!!z!$+})tg<9yBNZ+$QsL+
ztUY#<Ii?Lf<+T$e6Ta6GylT(cHOtaB*Nf+x30k@j;c=p<WxKZvNv|V&d*m43af;g+
zu+hFZ1DZ@Kd`o-V&JRU2>&E<@+P(w8-G>>C-K<8b>ecO9N^p_}m2WJX$tEu!VutYY
z&UX@u<zKNrr9>A;VNFLq-t5_>qRmBU&*_o*FHW<ReyEF$jP!eq0q4)K#gMRwi}sFF
z?O?f72in8NvS%7&9?9u+6Cj~GI!c;bhL2cQ5XJjh&rt%S2n4_BCmX8D#C6267|j(8
zjf!eK+o-{bp{X%1sjkstlrHoK?sQ0PQt#V4GE>q+uDqjAze?;NdcqN$X3G%&y5y^B
zwkAeY*`AqWyRM{9_T=mwNPVD7w^B$xX&HoBUp^mNyu|Y$W!m24Xi@4`D;-dV&VhYA
zzGhZ`oDpI5FDIL~0s#tW73QT@!u7wbVSi6XT_B%Zw3S7RRe1d6{2;XkDxd{4Sm(=-
zYo&b*!;lVD^{ulk<xls#Nw`+66A3HsW;`a*5oy<<P>iewX>Z;6iTJLQ3j56PU6LOv
ze+!6w&XD*0114>`vFNVwWaJV~>WcYOaw?H?jsWN+tZvjZj)$^a&yOjl0<jd{Nm$XG
zLB-N*CeC8o1Qt!VzhYr=ys@eoe(+Qg4)EH?Ja@^wZu}J6gyW6tB75||fFWk@dtYkV
zPn{*M#cwUI$A7An%NO+`)-1Jt!HrU2FI$ar3yyk0&~#X=u9m1MRzS@%mYx?zBE^hu
z^*R5^Ec(P+%B~|7o5|t-ko6WoQMcdwFd&Guw6r22E!`}NAiYXR?-J6fbS|iXw19L9
z(k<N$(kWd_ES*a%uq^NTe4p_5{%075*<~0$_nx@Uxvz7b!!CjQhOv8$-zs>Gc4fY^
zeNZb@>uaD_d6}m1C8RHulO!;Ts0p$EQ23(T$S6`&t9D~W+s(w%GttEH6{F()0BM6N
zv)bjH;dfRK*1kn_!rCAFgDQ%CqY48xdenc`Zft;OH%wG*&p;-bU=p!CQ^UafdotvK
z4wgiFqx%R5UO(M3T-;w|6FQa~t1BPHW8FF|xBW?bah)0HbnpnG8T%8Z<e7y=-%sbT
z*Ok9Uz9ShP>fg1xw6;-8P|&G3$fRTU*0O!WhWXmC@#mXgQmyH9Vs1P-eIg8Cmb@Mh
zsbtl)9;&|jQ02?$&|<Z>Rzp0=ah~cZ6O*{_)v+Nl{#6EhHuBTMde+@H_1!NYrv*|}
z<FZvhxe0vbN=Dqx;0P9By6#8MN*LS+#>sdO^ELN=Uz>Pa$-MS`&Oj#USyepxUQXaf
zceBFv7!EX?O}tC`(p0yw0SLQluq|2&*hAEsdB2HjQy}l9m@af3`-6y-t?*lC;l1Ug
z2>t4Rx+rL>hN^$r`yxj*x2a(4-|oAIjpb7;wb4cH-tmfG;jg+?3u^)nw@6CI=mOqu
zpVJC8JE-kKyPDZv&$NG!S+L0w#(P35#NIm^GqLKH)I^OLU#{|muIJm$Vo3?4NX~r7
z#p&IK0Q+Pf8}BhfXET0Cp!rHA>vWbXz@B5SVJEmxygy&J@w1|C?|?<OjIT;Zs8*A3
zQRXohcF{_0t0FwX;Co`?Xp56kK1EJBfT#ER#hmRfsVM`UG%Qbop}0JjxH41grx4G(
z;--6=Ws`XLyFzAAH4)A_qWBr!sA-yA&hV!FopP-feN!jt9WIkO4<E`a-nP|?m=}AK
zh!U@mP1&d9FLF6vJ+ONnETUVKVr!2klp8Xa|5JoXCZoj|YO+NEcS-)9V|Z8&zo)fq
zL1#^6M5yBE6LsoA`j;d>VWO-Qo~ZE}jkCmM!uE6Wzv3ZF0F|_S1e&|mpo+rdGwT#T
zC^rh&s+ePxle3OnQF1LRfVZE=0cdQ$LLX8IQ1>#c?Q8eiROiazA4-3nX&tG_ulXsH
zlhE>JljG9TVri#BrMjI=BVGZO)jfB5)zapx4;AJMDYma#t{Eu6_SyrUPAcS6T)bd2
z<p)=Wke_p?wea)g4^%ZLNZ_)5yME61=I(bh+&7Ug`r^FruGhU~YZdnNrsCJ?E9Y-j
z(U?74V&xMi8uoyeDAWv;Hq<RbvsJ<<SNA^S0$ycPw$KWz$btk)FD)+UNOqq53j+Mx
zK9iy^V-@T^J~I3-7FsE1p7($>AK!_YPu4Z%GmMR|^OSx3f#xra&WEKP+q5RE9RAnc
zx=2*p@uhfWO$!^I?2QLr-oWKdu@azQ=)K0X{J!b-uWfR-$2sLj^I@j(G4f<Ob$qGm
zQMP*qBP8SG7Q$lEjwAZ}HwJgR6c)Q1S%_I+`S$kFznKL$h&{!U^d4GUJ*)+o%5Wed
zNME~CMOUv-nE+7wf?A%%UjMapoU@h{H=Q3nry0>Nq6tAK88bB-t=i!Tk_aE|eLl|4
z-5-v^50ve7W)JE;5Bo)z=MB&+hi6|j%G)G5dDd6)<<BnzM@QA7YjUJgtObL(-*v5>
ze<L#0xo7|MNvY$N20!Dbs8sxhT*36nF5&Cl&%uBfETs6qjpKK|#KH8GJE1ZPjKFzH
z_=iHGLZB>4#-PQuvbSm*)ctHP&=$R`H0r*ncU$?tX85~1aE|RU9G7sJ!z%ca$?pmX
z2%DQInk#%u?7#=KDsm%zmZ)r!VW@F>Nybk5LW#2_PwRd?3;f$&_4ldz0Q)Ic{8voZ
z4t&*v8efoRmor6v1L1o|x<27GQM3|W#?>XS9u2T=n^fvsJmPbREw1akI%25lb2g`(
zr=G3Q5MCCcO6iIFEUpt;x}|3NL?T9mU!BeZ1YC7B;?85T<t~dAD=a<{i34I*X}H}-
zo%D3_*Lf_6!B2Q&UX>_}9)uDFHm9XZ)o%9^#N%^DSKcQmdf^<Q3$`sRJ6qZOrq*5h
z21%h*Qe1%FTs*6P#@t)_77!-<LH|{8jo4f1><92Kk6wuV4N#w|V_#htxuhx@|1;Q(
zKArN%_ddBV_t>`$^-QVSEX){7{R?N&KYV0sb1vN#>Kp;y(wrjEIKO09cdx6a%(}fy
z9Pf!y7F7m!tnzFF%Ph9QDqnu3)>}TuT+gB*1&;6^Wq4j_8JdA&)e)uDiBCVBP9jtq
zp;*-w`CUZ}G-dR*;vk1U^79|1UzFo63qNT(71zP+l?>&1+Bup-%I%9Tsp#Hn9RK=!
z#hW5)UZm|M{}p6^gd-2*shs8<L2vatN^YiZsF;l?USuyqoHHJ>*|>=|`8+HjT1>U}
z2GN!L`4qnQ(Y<;voT*^e{}Dd_wk!X(8nP$LYF*j~H4gXxR8Fg4&74lEB!F9(yT-lO
z>YvVPCIs!ryV&kgE6ElcG2j9M*=#d@yu_#56R&BPc=tnbVTAUMUY6>ElYUoal%6A6
zkYf!QTJ5Uj6wPmSkEOGs!ixXy4h4vtV?5{RyYLS2Mpoo=ofK`YY0z_=s(_t7H%&@n
za8M>u;p()t&1;)^{2!i+g~jdkspgIx;QNQ_AXdASshz1+ovxJK$@xm)a)>!6w99l}
zi|c_4ahpTJ@cRmEL5}_B6^g<7?gqg*XA|vC1qNruFR#<?Y1<9!3Xb6w5oY)1bhs|*
z>vVXM8!SnL@;i#Ni2b9XohF9?WTI{s`bP@@V@`aY_VFKCka_f4t@2wByJ*vDBj_E^
z=N7b(;<G<xOfax*?j32L*)-atNzJU6mR}MQ?ZN;O{KF<rF)Gn39XvH^f?}aEzp4b7
zsae{c$X>aH?71_l+2m9zOxe~)3$nUoWlYf(*`ixC#d=@^_>fFN@Rcxe88el5vQSo)
zgHZzOFXjt_v>)NuMVu7Xun&i-mS1sVwn?gr!c2s;V1<dRSbQd}_5~;ld39QR*P@&v
zZ!ZRw>h2xJh&Wb}KF6&ri7$*^cTMV&A}lo8?>D@;=aOxTD<`}tY!n^rlM~{`O+J0{
zX6z6B{A@)uAg~|rK6yg+Z17KeGJA%hQ)gB|!+-C;K>k1<D-}5b>-s80+Rm=k_08Se
zH(C9aWvu_tKsF~AWvp?_ey1io1AvTjXk+=e68Xu!m%i4Hb-c3#l8qdKts!`o&+HN+
z(c|n-#*|kzaGPL(8$x(bK1YCwdyL$^A#w)Sjv~f4Yz;qizM1g5CSKOP|4xmSR5%f_
z&dnMbJ9*kk^@7vR$zoThSayK7(Sq(O`kc3wTe+sZS!KJHB6@X3NWsYQc~i0)Om$P5
zvV=Q5e-eA6#vtNFX;`yfRN!)Is(x8QzqLjRCt5|*_RUDcu$49<M0i!dM|phmg-m>i
zZ9sj0q^!kEC_1Q=^S}5fOgvS<KKg$|(Drn(-gg%HOcyPT4-L&SsF2_J@8%fIo_Lt)
zJUvhnpJb$;DMhKQrDQoQOqcodIjL=NN~27P6XkY3NE<7%h8j<b)_TcHe5|AI^<W^8
zLs3mOKhCU(r{!V|S!;v{;L>ubcx?BVSR-?2hosvvp5uIexcv}bzp{6#IvM#zPs+gd
z-S^Ddt|dokot~EliFC7(hvBFPO48UGcKknBh*FT<*RPuPC41YpaBefRD7~xP^|Mo?
zR+}!J0QcNVnw&=G#NRHiZpRacYf<X`sw^c7txfPMiXT2by{|v3d}m~j{c(?460Cpf
z$DxnPk_CwBkEru>2m1?#(2l|Vzc#7<@6z!9`EG}YnWiWsBbvYxF60d6KQt;Tc0So@
zG!0sq{~XKS6n{AVDQAZz(}hgNtkYcStG8W4SkGRX1wOZCjM>NCU5gDws<mc}wphH@
z)U<d!%l(5&rPrWPx(`n}-j^m_|FYsP5<b}YPLhFWXIPc<!pb&GP@jjbzLH${N!Ikq
zz9t9izVqXoK6IATidoO>jE9^MAukhWI60#uU%R=&6Ko>9IIcvY_UpNhmU=NuGfhAw
zzB#!o&tl5%yG++-ng4Vn(A9<8J<J4*PXvVwKbrYf|8a@{2H=0gl`+>SNk0e%#y@ZV
zZcyc7pU%BE@$BO+<xasHqR1C$yLmkxLa8OGZR5Hx5DhYUsJiqd##^^8(QkU4>8$-d
zH)%>$HS;Cg_AhLzTHf_Zo62ehN<HxM(}7+zL$W^<h%yn6qZ}xfWwO>Z5A7bXq6@ne
zIQt<xW*jl<URPe{XQ$-d{K&q1_j#Sw;fkC<kZuo(shp4Yd8MI4mDn@JT+1=V=s;TU
zf{K}xP0o)^;Ijrt?OD4eb+dQ(vxjJCo@l}{d~Qr0O>PI&&m2aoZ1Ll_7BZW-mT3QA
z<2JN)`#!5s)Yi+2D!bG$3lFE@TjJt=W25Cp(IBToi<S-~X2$wQ@9Ovwdb+%!K9M$~
z-HheG*n&pQ;oGhmghf&{?^W{Xen>h-wSE5YMhF8tnRLZgC0#K+DZ??hP2+49V`yLK
z>sOYC!@8NqYwIBkaTUV);$!M=h1IM6$^G5>WVu4y$g>k6)?03##+mBsQO;TlUqjOc
z>zG)z6{lo1ETYtzEKVGT3IiyGy^UM{YE}o>?jvB__)d;~;+OAa3xi=^zpCv^F4c)9
zKld0#NO##h<DvB)l|f{!iF$O#QMsZyBNWA3`O~|8Qa=FhWw319s_N_VLx%e2k0Avy
zWz=)>eeQPy)teWX2D+--CZACC+C0s!!@Mu}cNQk3#%#i}tE<7y`pwAv=j*}4fCXO_
zNzA9R?El+yXQuqnC#EZrn6&e+i|-!n(}wqc)_vS#MFog$fEvuOSu2D3+aB0#YhCAU
zTDck)e)awraV3S@HL6I>eFMA;ql{+RORn!5J@Gx-=d^m~l)ns;^qv-laRsg1t+3Kc
z4S&mH6DIl)$C7oK<B@XWT-k1$=G&+%*Vx%l%n>n^_F<x=92T5eWV9|DMu9k_q`$Iw
z%nEkdA{r`9o%@Ds?s7pPa!Yp421JM?&QZ0Pw|1v_+1Jq|ty){_Wi~zwpkF%g#{<9b
zh}4$Q9?$K#(;5|%PYYpzF3i|#LjTdY{tb3Te@k0koOf^iQMA7#AEgU=gxyR^SMv=$
zmGy<ayrsoqYFnGWK9C(*$E3t8F7eTNx2sMQ()#-7`#Zng3yXRO$XLaUZ{&q!qoZrO
z&@K<vUo1D-T5Lqa`!r%@L1(y;+V^=aQVqsY`FzHN&fNus62R>(lvL_~M3?~IPBaDk
zg&8lqF@=}mcw${@?Xa{kL4{tLkx<Dcs}kxpm)-PS&DiX{lHk$2YQw6@Z|54XGZ%Ke
zS7m(#shM+hBW*!73zXIQG;y1;X{kqbov!aQ&R_NqaqU<L3O}EBU689U9T2*|6ufqm
zSmJ`4e<@rPlMRk`el0B$HxyN<&ll$?LsdajAHi7w&0jJU(AaGr&y#~7_oP1@2w#WS
zdk2sHYb+ROo+}#R4e>q2-DUiP>iV0Q1;4k#=?<UiI2nHUl%L;(Z3_&|BLHR|u@GJ)
zu$yUEPkOW77f@#}8MiN|>20j8c1;V~bG;Xxe!%ByR&h;#=<c?>s#K~aBM|ymIbw&2
zDcv*7!<!uU>y66+R|cyj_IDbb0NrU3#RM}AX=!$BHs6X%eyx`UBeTbB`NkvH3?r8g
zc4RtF)oY5U<cbU}Qi_~aECOR7Zezm1J3&e>-?WyS_8Mi-wq5nJpB1>`@e^`?)-!iu
z2-Q2Ok<T9YlX3iYrTt8pzH}DyK(6H5D}D}kFC}5prEpH~$q|d0k=Z>d<)!K5TSj~)
zC>w|Vu8M0)y%$Nrbm4`V|I+ZiM)&c}FMDM(cWY>%=D3rVgL)|`i(+W>Cqn*v6!iBQ
z1~8}^+u%kq$o-e30~i#IRSyaK%9A5X66oqAonE$odDg}~&a%1LilB6!E67XiHM)EN
ze8El=#VBpj;<fJzYjPgpkMcms<$&3>ci8T2h$^}tow3PGd;Z`yngq_Zknc#GUmrr+
zd@hTolU|Z7qgCu=*-BhaLZ@q&+=A=ZA{z&@8C{daH}@(-m3Vdr9-dtdKJ8s(RNiMf
z%qvBu)(82tp0I=2uKjyh8cyRXM|`(CMD*Mo{Mvn>1YnT_!}s6n*H;OAxovcMPD&aF
z@z_&keRogK6Y!jSP=bSj)Tx&0GTU8~#goovia5Xg<|6;v8|xzHA7zGo`(rjR@Clmx
z=me?cdL2Vy;(p?cD<J(wr1CWa{|w<l&8tB$cZz&%MLoWul|1;_usDg4pQYD;S6qDh
zLE5@7XnT!M0$fe?<kB)ez3_!O?#l+WqJ#oxkGaZu$O{qTgN>M9U$G#w?FP%3clP;&
z?Y~5<xEj9U{X9i&kBuX@{4Lj)nj~-iWsa8GkhNq<&H&e31<s<uE3FKXI@QnB{F9N5
zZz}cj7J-Q+3T$1;9FheNr9>`LdyxakvF_kZqIQY<k6CxngLO$h71zhQk~<Yi*$3a@
z(IPgi#*O#1D)V=E&doYCs+V_iN^=GNe?%rA#<)t$YkDlxf4O96vp|c*{H2UQ)I0U6
zSX@)_Lz@TLZ+V!*+m)9?1}FsI;GLI@U!PIM^7Q!Z?@p&!qE>8&D$IIwqSzHYH5Aw%
z$mvn7G{n7wKXjO4NmVovkB8<+wLcz`+_BB6wgKH-0fd;4KYIsvZ00MqdziA$!B-iM
z>=tgyFW9RPPkT39=<*rm-X6@|R@;_|LXK+OQ|f2MM{eAddoGJekYP!AT?|HAAd+nT
zX+J+<^%*wv+O)hp%RyVvEfu`l*74Oly&@!$=#m`>zPxPece{Tm?1)TrPno`*VoCw~
z-J}fN!sj7Y2MyQr(RLM4x|%kRg^KMPm;!yD{2n@y6~*2ojVGf?*xCl{YeQ01?YAoU
z?W1;wlhctdYR`|~x)f_`Yi2Z9)Hkew7N~9XNF?4=$mtQ77_lG{)%iCkRQDg$flohH
zD9N34S5#4>$%8^^mQBU*C$1?%U*O%+CbX}tBtnx`d7=cq*6<quO}yWByJ4$6<JTes
zwTw_RM`w)}fO~X5Uuf@OKeBCN&k1L(5qx4m10SCxwNQFpMy|||6V%>w;C>d9QT|9Y
zy}gIjE3DsOo$X|{d>m+%<|?ToMCk0@r67ge54c<QH^g|_f_;Qve!N)ofaaef7~|gC
zd+QEt7F`PHsr(t*&<GYRY$B{X%x$sE-WLb_d|oJ$BszzintJ$fW0ycJ{L^B8f9T}`
zb*qivL95h&)Sd}Rw2YrQIbTtc+xxE@F7M^fbc13=rwo7GueB8j?hkUC0a*p_N?Jqn
zuA0uZ`JQH64eAUYukntBCLW*cA1>IIHltEtl(#S%*j^>E3SH&ev|IJOZ3oZWUZ3eH
zJ4piP=h2MBj(K_anm0yJOWYG~zc#x0d`d5Wf^S;HFH$S3`Wy+SHdw0x&*oF-=k{y5
z+Rah<d)d6=1ADWT20Po+E#&9PAM?`C)L<RRaMJ}ttNGH!@UlQFf(g=L=-pWYyTgRC
zVo6_oxnQ*?W-ma?WnCPNsr5VmW)fieP#EN~#~x2W5MnQJYn1nQ(!=qYMi%*vywB>2
z&(v+>r=zZ>;MVyA_E%$TKUAjix>JScwP*->i-*bVOADD8Q&Mr?h7Tu)eWWSnElu3m
z_Jr`_tLec{c~16tH%D_ZXN^~_*7WV`mP$TZ<36;qOXH!Os#CL(kKK);MT#8vG;()M
zVQrvmFNLs20^<ZloEoifEH_T`y_$KpT)%ajjeDeAkKDZ3sWQK2ci4kIjQk!;G!HH@
zGh&I{30DTYpA=L@vF&ed)h7AZE~^?wJ`UW<{1BS`*)|}mF8kh{KbD@NnH~p}#&v}>
z(fff<|3jUbKrEj{>V<`!i8-f&gx)s}G^L+OiS7|{VWzLF;6<n~y^pS6DZYVmoleGc
zF<n0p6t|A`Ie@I>UoHrXCMF=aND}36Nq#;>P^xF3UxGO(tJd$0hYh&{4)|fKE7jWQ
zna{W~Bg@j}12!+4(Qwc9D5(i454$;^n=8k}43BMs!9Mm3mJs>r#UmnT_)u-q{2{WY
z{xpVQ@WS`dJ%wNx0A#}oRT?m16-})3NKJhpEG%rz=r@}K^JPNR)u*R_asCCB^TRqE
zZfvoafh_LB04*muRYq*q@4Y$=;TvU1d`8YCdb)-J34kjBxO7zO_#R-*1#ib|^{TH3
z;OKX>4HT*Mfs4Q|`HXD+t|<8gYnM<w@a+-bS>y^ill2mO6T*cD0I1Ke_0Ty++r!5b
zkoTHD?6M?vHE+``3uRm)g<<!kNq4?gIZ7Q=B&39GyMmgW25Xn!<<(!t8z>!Gc-l{s
zGeQFESNWqv8uJiSok7+mrL5!<S)5=W3om1@u~bh)X4K_2(EG>bCeUw+Ui>OkPah<5
zy>(`sD&=-3Vk6#h$-$v%L&SN^b2E|MZzK+8LQ)-KwOn_Z0?TH)t@7;A2F81o=2kTC
zu-_8x4^R)p#;~y=2L1oighm$@X5>u5u<g3JtaSx7*{`uI8Qg*d1DoDtCNg7hW)xZI
zbmW$O3`>=rK3_lQam&euy+`8n#(xc5g?&$Ln7m)H+C%M`xpsus-ekKK)8XzB>yS5H
zzq?aunuaXUvdVe#lAmJeb)SB@+B>OdB-GZ?l)j$z3lEE}be8Q#Ok#b3=d!L~FEu@r
zxm^}|f)EE4W$p|=ZA%_{xirHOG`CKH_4UpQ-GlH8UkiKkU$psNq;9=tr}H4MuL;z<
z^=<KcS#+RXSKD9X!UI42{9bbyZRXU)u@>%Y?Z$aGRDYjWsCAuPeQ1D1wrI@s_FnlP
zD{=2I8y_waZ!tT_^0)snv4#fYgrC}s9khvAC>~%2L^Ee9ks+~@4<X}mFmNd<CMhZH
z%nY$JU7CO$ci4c89(N;WH9~fjq2lYWD#0R~sjfeLPA0%YWq$i~gsoE{?D}HXYjTj=
z*YHCKiU?-#b;kKbi9J!Ybz>1$hJwklct=PHe<r%=YrGwox~6P(aA-Lrc1Enwz_K$C
z#g}Kd$KEkcG3ql2<DROvwT+F}QB8w}9tV%$+R7cPI=-`c$l@f(%_;R0>&@3evBe&j
zGXO|GvQg)DIViSrSnP%Z9(;(TgZGHuJZf&)&p%y;+}=Su2=deAKEQ*W_1LGIeg+~T
z9bp+YDDd8t8X#<SaiFBk_QTJyam@hc+Ip>HfhL#s5U@KoUnML*>66AKNi~r<BFT7K
zb{Qv{oYL|x>=Y6b6NTCzL5jlDTaouK0lyZUm+!FLvN@mS0r+m-&wuO0USv_jFB`{}
z<l{N<rekII-CTP7_E1O(1wC)QZUZFtBDeUIu_k7NNfJj!WAjn-jws&lW3_|$;}fxE
zWW0M4aLmuc>DJmUb&?u586x)A^krr|1{3MVHXw}Py$rdDbo?)Rt-a`~sj7V~I-AM>
z<+#tFi$cdFsj~Z1A+GajDf_URNmJ8s`hv3Wd4`nEr}Dj*XK^)p5;8ACs89QW!m_&p
zSn2{<fvt+w3t+d-53Wi|;zaYg0iU_%*Mq<aS0bA(9Rj1Ua7mv$<!j-}S`~J2#>)P?
zoJ$&pRzJ9KqI>$|go~nIplxuuz2;Ptul`pv>#!1rml~BwUP`V*N*L(kNY33rXDM84
zaacU@CSR0d>cUN7)L<c^y2ryRf(A{c`@8yUBS-H#k;13=qZnkr-<I|*tvn8W_xJ!C
zGo291K46I23Qi$`><Pjeb{z$lZ@(VK<qa$-_EAx%x#xN!I(g&z3f!Bn%ZA8H>jsgl
zMUc5vm+=r-FBt9Xv9-y7o3LB6B?Q24*6E}#<#x*#CJZ=x3|nqF4TMc<s*6nf-Q0ys
zI{HS5!$)aiCdaebvD18ECUDEvGg`FZCx}(94mk!EXg#uRH9N@E`NAOaHbY40b4A1l
zqBJ{+@>@c9GteWPMS0QnqIO80I^D6wdBhjCE4pNpe(t-h1{@TBd(eC#18?=akcL4}
z(-}g1UhU529)m~1t*3Y46;Zcb_EFTzWP|C8ny|t=zbH=>Jl*_!oU3*Qw{<lPOmu#C
z95O-Y*PZ&lpChZ)`@+GwJI8WN^K<T2pDGW07;r-euNz>p0bLUS%+57c0kS|cuZhE(
zkV`S?Z=0kfki<dno6{)3wAA73$QOHIK|vL-R$z!SSV(6q)<^7J!2w|xP^#f*aAIh=
z>9!Nrh1TRA!;MPe^WA5Iue19kTwd@&Lb|HPZIWWuWyYFrhss1oSOG|hioA)~JkWU|
zSQv?2_)-e_jqI?cxp7D{<5UdZu?YyaOIyj9`KJ2P<oYrCA~|56y{(r!odB$>FT&*#
z88ZzzE^f8ZSNzQV+TDfxn+2G4erWPJM}*$|`{=+vVjsgQ*I$Fy<<)~?Mor_L8-rPI
z>cf0X(1g5`3cbo_y~xCD?cqoFua~4LUp#TiZAp8zrPZZO^z8>%QN;J6Eb*^oetXGO
zehRNE)^A`V@&U!kP9n|H)|<!91im>ppr=pD!{-Q+drR_FJAJ*mdh)Nin8-v#Tt2$o
zY3jRc>TT1=4R*kLS?V=ps$uP>a~w+?;ciqKCG0qiYPo{k{lbvKWU@5-q&D(+RKc_I
z;Xj=G8Q$M}iQJ-t!T&XT{#VF9z{FZU+j^Ne0Tk~ubnhG@+xNX#bd)(c=1a6hwOu5U
z0~cNbQ^idgrDV*8rQn(Mhp21T*PqF?hsCeUFQ*nSlD(BsTVrNf*In#}9DM*E!Q1yg
zuIsoMt#d758`jUgpFr1pK}Ym(M6dLlbmYm|u0v*C!-CDQB%E*@AcOV&E)#R>R9FJL
z45|V)Ai8LOP`Acgu<S801S|Ds`l<td*ICQ)XzRPL_j<KK?V=y9wC6Tm5V;d?<Ef8x
zr`qyYcHI5k^$flxzb>f_CE%BR82b+;2zq+2Y+D}$BE3G5Z=o(2Rx(a?a=B=JIYe@^
zqRDa@T)WJAx>I(0meR^n=D2pX)_RQ(|B)cI%w5KvlJca5&k(NdwV`7`*0Z-xWKfdf
zzj~}54e(<gGf_r(O?L8%OfR~mK&KO4C(Nn<xvxx=?HWR3qR{>&J?R&FdF3ja+<6V;
z4-<MeGQh%0YvenB2i7Mv9LqtY#*ULi4*p#hjN)J>73Y2&;Rf8WPp;h|gLs5U*v0xy
zyA&u^M8<@M!ayo}ja;{@pL@UB)W1`1Rdd8M_$s$p@n-!Jt>;Uth~8fC35f0p$u$gn
zSk^8usNGKg_;K6|#N-4qOnoJ|o-8+Ip6ids2_qVJBK~|pTT}a7=9OBQX}@GOP>8d5
zh71yxktH|yBv~wI=A$Ts==4;vx_dIMN;ULgPkVm5wzuceH0MnsnPA`D?OxD#1N+(r
zc7ah#^OV}S<!_>bk^buz4cpEtvJC&kOmvs@K00b9zxwb;HV-GlY)PS9SfEXLXYvsJ
z*dN(4V?FaGb`$)za9a{Uy=R{ARce{(h2xS&)`AZisLlcDizPlK>gfq`Ynkgn+YLN!
zq(p%nuDT#~8W5Q9O-JI`HXkjVQ7Fam+12ADid=<wbT=tJ-T;Ni!-V?zatIf2f(PHf
zW)vc+KeBUP3D?}l<Mq}vf5|Ix>x8=8Ox~2)$M@R*r8DHNnKdNpP`_yCHya2eySOTA
zJZyRCaeD*s8z1CDLOSBvm(C}O>JYAmC&`q|9y<;fj{f=d>MpbPYGwLL7Q3f$W`cr(
zu%*X>u+eAN6l_x)Bi4Cyc{s;CXlOY<2u7XZ4(65BkEQx<xy<=(mQx?#Q!%_AT@OWm
z%4|Hyh-Z1~S4cXak(4F~xms!!cD(v{kx0NNmLRj40yMf2hfm)g0us^J>{0cn9hK|a
z@AA^#XQjPjGuS&mE$~R)uIpbK`%7h)A5$j&h}0I%kmsJ5=w-1Mpn~2hP<snCV^0ty
znE!dP{%MxDR<e;MnoVsd%6FQ_C)GSj%x6kHdrG9n;(9W;s;&ZF5pN$)rJ?6omSXO;
zKP@5s&Vd?0s=k5L)GW3hb7MRG+Qpcp^dJvms?KeT^CE~<`&Ep8KA$opSpW>Y)WlcL
zn{j70!rhMOu7H5lwEaXb8G75U$eUFXzJ^>k&N+}l<dtGfFUy*<ZM+&a-Q#L~IqM6N
zNl%}8MO-@N_T0Hr2gybzPWLR;(W)|i$%ANnHMJiQuNi(923IIY)wkw__=NItbH75p
zJZ+CqGtRk>8mr96Ash_@jjzjf9jsA5N<MhiK4Xz1KdV!-cC)29`LDD8)CU`Nd%lG8
zrgoo`#9%Yk+qZ1rmX5CVV>`m0u;(tVO+Ngg^>bQUd1h^`oTw^m?MJL}+A;XTYG3uO
zIjmE@ir~GHS7!bGg44c`?Ov$j^Lvy2{5AYy#vdcpOl4~h;Zo-^*RB$+{F|biiOxf3
zh})aP&CB?kTjyc^mg5Ni*6Q;X+cM!1eQV6o4K7tmB}|ToIN$v#zF=v{;wuJBaE>+(
z&Vq^n_Qc&P0lUQ*R6E8dJ&ntkk<dfb4O2CHDRL6m&ku2P=$R*tdDj`TZws<7Q@E^c
zxx65R?9HQ`JoYtxYzV2M9-`!-+s|}=9vfspEIeRImTJ7*sCL^NKREd2{K&(@h#Vw(
zX4{I|hL%B=mzi2_=KV&Fz&C-8{3u{B`%=?kBTBNd;C-5FdNQ4(Uy~4bhu4MVG9&2D
zIlMC%a8d!yfUG?3%(!w#{XAN&!q^<>TuofQ>=5j9hx9_MfN$mqM2nd`*WY+l>v;4(
zuhYY7j_OdG?(OJE^yqy0_SD@K>+Xe?L*Rqf#V&HX4w)|I^68dU)|#2!qUGb7CSwBN
z-RBWyUK<0!Ojo!7DW4s*P9B2kHsvDF_u>l5%I7(D1n@m1`GjMZ0smU*yYRXFIEbhT
zd=f)V(t5Fsm=12e{0I<OXz>;GIUs~wHnu_#*^m`?lEdpt$lS?7y|+6;69OCAOo1bs
znTVzB|2ln5jy8k#k;TSZwBnz-J+s$lHqm!NQLKdWg7iGN@9O@vIU@A7Ie?PNM_<Uk
ztx9HQwddC1o!#gfF0>C&8@zTzD~#9&h|#P_sPe02Xsorq)rFB#wPV<xNic>-<33r#
zPBu_A1tEh+oK7R=f09k;C%>S`!{mKMaULGP)lky2AuroQ@ezwbIh*xdk=l~cmxHgo
z6nk|H#?g@>)(r85Ft=kpn+$n40=+)XXxV5f-!4r&-0~n|wX3|BUy8JYQ8^36Di_3W
zHvVA4g$KJzw}#OPS1#w@7p;z1#g6~W#{M$6Hf^*Ba%J5_s*F*$b&<s%HYin$Z#V&$
zNttS>KmKsl>4j~zq+v{s<M9}$%-id*^<2A?<hB)H66V$d-CY)!LV5TIjBtTaKcEAk
z>waiwE8@6(bh92B!Va<uQ}f%py$bHUC6)1Lp0ovD??BxHbv$pfnJ(EoEoI;-H4nFX
zZ?}QOOqVn49k$8oj-sXIRyeh%Ej#v(72SY3On5XH$=WFDF34@{IaBM1XmBTf3AI)R
zoR|Sf)0^NOP<zJ+pz#M@@OdLhkUj`UhKZzXNkT@37DRE532HpAZM}t{sYZ90gtp81
zz*il;J9KeMT2c|vicM(&<95pT#vk{)O_u3#L3^!b$P*nB01624LZmHUHu2zJ{Q@Gd
zj=-(AWh4M(_N|8)A^!ylad4T(qU~Mo`yH!HO}Tp$88?RcXLuHP;*3KCJ~8~F`G=Hz
zp6y45y4*F?pv^#?MCjQ&z@;WYvT4JWueMtq7s^3Dvb4ywgv>3YUpj$_&N1hKku$yf
z77S6OM@_KqD89vsA<tjYzdx%g{G;&qeB4%x1ZBc|GB>@r$LsH5k(Uah8SQfF8J3+g
zumBQgXOMJq-S@kUS=afdCGRL}rymvnT!6sNohbYuYt(}8G{?#(aPc^4Iv#}i?NR$U
zz2NnK{)+zV$>0~Ndzhvu+P9vC*sQ6V`Hy#`Xg=yok$eyfd4Z={?9nxYNv*og%52;7
zCL`UIzvJ4<mcI&E&H9+FXN2NvXTInrDYw&kwP5zlg-v9)_Rh8db>Em<1dlQ4`kfuK
zIjNy%M&EP@)oEIoJGohgTc$F3`z{UL<4*;|%S?w7lmNe&|Bibr$sC#N7)F&0h1-h%
zMMHmlsl93cr;v$<c*o_t?Q73VC}v(@q80qr?n`09cpOpv&_iT16Jz?lvURVEX}{{R
zBW(}_20+AiUbk*K5<$)-mjP(;20wcb`Cpbn8CQW|2Gq$l>gLEL<7G!t3rGSPc#8xu
zqNbS;?NG@Ucv%n*3rW!OO=&GL_+q&B?w)0EcDdr#8TfdkvvK*j2kMC2XQ~S12K$^O
zK`U=hYJ>AK8bueH8&B{EQ&bN^O^&aM5(00ICYY|`peZc}_MIt9r*~5@&qs>DXZ=t<
z-%W@BvitV@I*0^v3jU;H-t2~G!v%;)T@I!}FK$~L1?Z`M`J86le&^Xz3h?9~O<6)*
zm0NA$bY9<HAJQ#dr@IqDP`<ab<xEs>(LRJ0OKx+0kiL4_b;NYz4KYP<E#K4z-JbCI
zjvQ$_`gR@(GF@#z<xK+ar;oxBW>G}wxGzeweC>`JfqLF{F4KcfvZ#qN5N9Kwrh}w~
z7n&<AML|II$Y2O^Z21AIi)ntB6LPq;bo6aRMjTmvdkLweYr=&lB1%R8!cw&9%BOj^
zix6**#f0W5s=GIRj^2kyzK{zh!i)~noTE>V>1}~B-tHc}QVjRzZ=7N;*O(Bkokg21
zc_}Xye#e_OeH@42yxSG`y}bwsWSYshxcEpUflxF>CnGAxaw3kFH{*~OR@1R+Xm(k|
z#p8@0U_XhPa1ZKi{#c$bv}i+uaXVF3tcYLyT}6J=*Vt_G9<h%}&^I+Vx@@q$uFH#)
zm8TGT1BNZ;g4s^$9xLYWru`pR1a;fqiMA)~Ry|X&R8QuKbEa+t(q4Dzw@{E@clEG8
zqIvnmYsaaA!%HAY)K!&eZJdWp^;=CvtaImwc#WL2-HQ>edytljTVxOa%~EY?RK2|V
z@O$ynE>)9|qg2<8X2q<8Xqh>ti3lmiH&>aKg{ErKZ)DyV3#JM*T|HB!u^ceciF@@s
z*Zghhbzkup#3UsA`~e-S^|R|Vb2;1~`Tv6n2DywA5QV!wzl>$XJUx$NSNPebt*(*f
z$?Q!L7U3NH?9l$K2o2dmBjlC|R2Fv6BMdJW7b+|~^Hjv(0aLIJ@u$~TX16O_PtnWU
zoIGILmO*H&aMsBMKK^lK+RVSDg8pC1F!)fAgIYgt#3-MSkksM^Yo~Y1F<nqEqc`Xb
z4yS|m$uOa|_yXBSq!`ktPCAYR&vT(h;Ooep5I$gFMl%pKm$zqmVq`)(7KPl3A_1J<
zB4eSrsDuj=kD*_iG8glmBR9z4U_P14DjtN#8XXAWvoq03N`>3(;Nk5dFxuI2GtPG#
z+RRA=eEY#~|2#VLwiWRUOn2}JN7F-KV%l#=GDx%q%0+ly0EG0MFSlOeLY9wyB={*+
zA7UUjqHb+I-@NrOni+!5-y&*>2G2?$TLwYYO%J7VIP5YI>t!TNM8Jji55+nyt16un
zeoGG5cUx|5t~*Ekj;MoxkgLkh$0lRb=!f17=JPpL^3EDzBBuAq8UbAQ-HxO$!6VDO
z42DP6c6FW~0DVq0&);$&hkMi-HvzZDP~kE^?a!XszXGLzGH0hpf`IEs-VC!vptBR`
zzN2p#!{ai)Gp^2#s<H}p)tfyum_fEXdLAB~BtWc(KkEJuc~s-C^jTzFcWkl`+evco
z_lG&jNK~tNC*ONtwLoMy^hL)f;k|Q(oT_vn8=XKD|N0E%>fGsm`kX}=1OskTV3o)$
z_nu15(D07olb}=%ZXs(E68sz)y|NFXN_TqNo2EU&TMM%9&RS{tiF9?3V?^w@z>ndZ
zaUQt=ci%-vRD9w?62XlT<Gmm;DL;5L^noy0>Rd;=mFhT(q^}`GX~U;<zIy^OlRaWK
zU2U6fPu)-la+lWOYj6xp)zq)z-(PMzz4ny|d{na>U%vr5IDPCP#Ory(U*V7*7UJCh
zllpkHElSX;@Z(c3{kwp-zBpnI__VzTCUwL|NsaD7y&1R2BTqXI?xyF6=%cT%QX7|=
zNM)dm(?bS`zR$j2ogUA0I@OuuLdw547zc9@m8>+C-C=aQ)}?2A_2t1vMW=%I^<q!l
ztHZwf`J>qiGeslIq=>JY|9ROG{&yT%G4uBA0Cm#Ri-W1X{}6Yu8fN3$H>D|o+d3b$
z-y;Yd?>%t#N|pf>!^DelWCJeRKgJRGci7sbdnyz7BSD&Ad~Oc^jOF@Ps$=gD)TQrA
zWWZd&E|06hs2c=url{~YEHa-$Tl(bDG^*!fz9Zvyb>t?mCex~b_;Q+K^x#e_q-``Z
zL3iyY;YXCTpJpitWiRGKv{x&&pD0%S7Y=2`NpHDXIC|?*vQcs*(G?+zd^xJ_vtL9f
zv%lRo58nBtI=k&&a_flDaOeyYUvaluFgD5fJ`pa)G(!T+lx(6)N5oe<X??%PqlYia
z!yzPT+B+;fD*PaR@Y6F!TuEDAp#ql&KS>*`KkY)3?(}qpIXK!{OQ#l)_Bv;gzGN<M
zs<|b!e_HoS<<pCs*3$}V!l-30A>>*R!d-oUx@=R^f0WJ7>=>tB_G8yuCDP5*t@InL
zhb(UJ#C$VB=Y?f*f$;pj)JNK55;rJr05y+|4gIda=*4?WUbcOf`2tserW~Vmk{ga5
ztBYuYpUQPk-veJrmFZ7nSnDPN$;GC1?!)=%FM*X9_sZU5;}WD8VNf`=VS&z@aVk>>
zKX%IpIj1+w|Ngi+Ja@J(qb)x-MVQMNg8l`uD|4J*K$y9jA8i|hh57$|Sr%Ulf2GMW
zcECaVD2{er52nrywrtU{5iOii$@0H}waH(*2(DN-%TZ95Y@20>;ysnY2WlYdGj3;&
zbXqTPgB@=lFH1Ec<oW3Rc$=Q@5CEkmk#UDtkw~FO>eT!m%@68FSK;N3qmwSg`YQ?w
zjZi%6r<$UO0tPej^iXrc<C$rG?dGU@$cZ0btL?jwWFAHQ_bYOU)<AwUiDe~4-Q+LT
zS9pLc{%ohU?|903{xSs)oTKag^QCm@*QWTDR<+<UDA$d9Wq0RdYF5n`fgV1Sqs%h{
z$@7-nLuZ~15pF*)Zsdc_Y$a8?S2!Wd%@>`vG$aQL1V9wt?G46D#E%ow(5DY3rU<QT
zYT|h}jP(grg_F5Z7pyI`++rag`7V9a6fp$-VKps8+nG5wFRR+UJ8i6Ii^>HQu{~)%
zMP&20#th=$VGd9^&BrC&G#RFkkxWYz>b6;ZtZRk=9@L_z2W~RQ2S4q-iTCk6)H8Uu
zw<;@7xgYN2V1laTHSJn1%DsDbt{O4pw(i`^T_lw0vDhKC`QC^hEY{yAPN(5VdsXi6
z%s0RI&m6h>+k16<s5rs@dNjIRUV*-8D`lOcrr_^~1sgC7f$;ZUU>bhPXgmTkImRH4
z!$4?cMBTbOLbQAZ1rwHGT)TKsF1H_*Kvq(M+*@~TJBpf@?9ND|FnPz!0&qnfMLXq?
zI6Sb^wjz?c>N+*k_OVWH^#dkYC!b-HUqD5R`EoDasPEZ{xch+@{pAeS`i;0E!(T`S
z9|y5q)_8q=2ZT9gU{(Kt?YUDgEdl;`)(22(THZOmG@a+@fw4hKW6!VbhH!*S#K+A8
zq6^31Za@LZ;0w9G$P0|O1$XvaFNK{q6`C<Sm`9FUzZ5)WNix|$$(>pa;4u?Z1maZZ
zb>FGvB2qTmqd|X?i~BKG`VL=WuOoXE(mnB20|EEA0$z>GMN}7e-$_u>Wzd?`XLt{l
zoeU3@%(;IMYHIDxpIdD@=sO1=n$H!_TQeM+$lTLQ*9j^;6f!SMZ;i4gQ9m>QD=Bzs
z`v9;CmkGs#(zY00j)AMWOtc5(NlHzJs7sPgRQ^FOJ-<Jd{n;7e^om@zKUx^UF9J~J
zYb|H}Dy9>Kn?cdF<q$S%#j+;<WPgg8G%P><ySn^6Y9HA_h!4<<mJ8`~z5ZO=85R6K
zzW@D^#y9@AHw~5UjwzI6IjNNrvsKzc(D11;E8{ood$ZezRR~9(;V5xOWNkw&X~HN+
z=+6gtB0D9oJ5kQ=cTApLfnXKi!=vo`4816sQ!4KL)Ocaz|KXAHM>vt#Ygzn<GqoH+
zugFZksr%pqL*?5Yl3pza^Vwq#*H;8uerLB?mEr6QP<;_U+QSVHH(mId*es8pP}Adi
zjoGk7m?l>tIizU;v}@g%d~H`;5*6liI`lY1|5s^NXyy-g8`zjk$zoXc;4aD6?tK20
zuTZm&$ee^b@Y-eSg(O>IX2t%Hyn{lcvB~w_cP>OWUb^WdRm=?qp2=rqp6KIEP?U-L
zw<v1h_yT&{yxO(dFk}e-s~Y?tW^5DI$%F(=*MdAb?DWkY_A0uO?*Z<m$YNnk4kvSp
zwjrzqp%vV~jPJ*BNuTiJ{?}HrEo-~!>@>Muc?bw}U?=YxdcXA4@!mWAhT{V3!`y3Z
zNbGRX{*e3avPBeb<cx-ybAmXb{qe|RIbw5meyaC@N0=H|+p~RE{o9cy3Bl<`R}1Dl
zF38@9I95H6hE+C?^=Coj{(H0<II(5fM2@|Lw)?U4^|CJzRxgBJi*VPB+g8R^Sbh@j
zDGuSLpJ?vTR5Oz>9-o*J$6Kg=tcqEgSOS@<Z~PFNEV;TM4s|g?_*NXlo*TML4-vz3
z0GL(*PVLPtN6s%m-N_@b8FOO(?qeL4b9|w~uy@@#E4R+MRQ|7aT%mp9#J}llnf{CH
zD>wRtBF!Kl*>}JnZ%Q~60|v7F7w;2_zVXl`E_-8gd!kjK{693XVxr|wp!~ZgF%H;K
zM_qrS+d%FqPv+p@b2$!g!dG)k>pc^$2R;)&7J~kYed&D>d}Dd=!T@p3ib2NundY_M
z`AbdN7o2MZHKx4Mcg#sR+hhGxGZwYpRx3V245s-sKb?DJ5I^(bzFnH`2VXOK`z1Lq
zSs#E|*8Lu1un6pFc2;{3bbxedKLw8}*?lf@{i&PI*7F+L*+K6|ZqDv$L%Vu)J;LEU
zIL#9v&84Y@%{NYk<&gV>36Nx3Ao)N{2`i}q_(x@Z=}W^Mly>o@20`KKKRCzG9tXX_
zsi^r@tNHI%<L}cF(K6Q2p%GPS6xr2Z&^R|b=H7_@zcF@)%Rf(!J|mUT`}*4a7zo1q
zk$pLIWbbmIUy@~w-X1ab&>m04d*lIu<y;_J+x>)H>;u>k)Z^B8#`{YB2=~SN9=69k
z_J(}-lXSD*#XQKrj|C>TK0fC1@W*YFU6Yp`OU2~TTMcy`O;Wj+rb|clMAB*}K4{qL
zk->2<2zIYC^<(B9AtO0%>SKyAy6SXu!)*mE%R9vKCReXNG<3Xsj!1aAmR}wJbKxks
z!|K@pN`JUoY{Hnw1J6BPUVY;LS^9I71KQD!=Ni@_Zi?QyB$)_SdmUwZ@^-i0qOeh@
zv`GIVhxAq8zvUPRe+y4`+7@CX@<#&Febojg1Nnpey>)(ROZ{5GV$1pZ$J<}965e2@
za~>?V0_f=(f`jLbO_XM~X5=??*8_kJv5VOt@7pP-l}DCkG6<2G!UbE?&R9s~Ars*>
zaFLPmQ=sNdF+F>7Yo8;slx1l&xNopPGa^Em)L{7wKgOb#%NfhV#MqHhj;>&XR{r}I
znj~O_*C85Nrcvq&xt<=nPNX=3UuYI>4C&J!U2Hp0Tbj2;N*2d?8f{4SO{%v7`#G<c
zCiLx>*BOM;imaUG!k@{%gk9%ZxHaAQYGc018#qyYp#_{fdGI|&F(jk(+;S>7T^o``
zpWr|PZA&Qg?jC6M`B2FG4~o(;2&lr?vH?E-^-m)Bt8;B=j?<shJwERwqh>6u`mw*}
zQS-|GIihJz%=E`gi}RIuSJ(NLKUSEF{Y-}6jBzyfZd{dz260(SVffC}8k%6B3Opw+
zR#u#5ym#uMEZivT3KUGnGF0q(g{y?H{AA#MGd8|G*@rOC!Ix&CmgJq`iIYL6`d5DI
zC(C0g53(K;+6~HDi5FN>Zikcr@g+E2mLTOdiVB0C_&pasksbYvO%qH8ll;kiX1?(?
zt#`@I#Ox*SKGy}1y*WI-5xKB18)%JjV71f6Ocib0)BLE7O|11R5EH$6n((2-$1SlG
zH+kAORZ5uiUB#OKgYz@jdmMk{z6q{O9NE0-SA_rP*{MtXjW*I-tv2~SfnDnR|ITy&
z`xPfo3Na}e#&hC>`3cBLM~st=wXKXto?pTS+wjumHj>6Z?{h&QM|^gI$>1{z=Zo|`
zOhT&bRC-3Diw?9EMWIcpV`k5D3^M`wmA<6AKLY%2?0G;u=%G2!yAoxO4c#UFK1=^2
zc^>=fS6Q+?Kd8s6@_XruqiDYJM9uUCViVfsOWP9X;ZmgUd#x+??OHtUr)YSlI!H9T
z_wlFH2$5Bdzxwo!bW5vzjP@hTxW_gFoqpOJDIZ>46`tq>hzzyR9!4FVyLU3<eWVW1
z^w%Vx><V${Ep{c2_$TzBeXBeWOCO^u&<g*LJmybP7mhy&9-IuUAE+DAiv1%j@v38{
zORsJNdbhRTydk1@37Vpcb)oudXDCh`l}Y5IxtXVV-shu9AS@Q#*EYwGSL+oFWocq2
z0;0r;OTfk-#iqjju9GvCRP_YR?VUS;^B-l^eM)CiUwlGhT$a=ckdO{<Jnr$uI93Yq
zBaIPH&bsFql9+Iw3h2fCq?VX2RO4@~Qb))>_FPgMnEr}#WMS;*Ye#-vO1I=^f{z#p
z0)J?iGElGAH1nG!Ue46<_)=QJ@3<?DsWx{+;Bpb{bd<Bhm*_RYncV=MJ)ize;>}n!
zy+2OF>Gf~qv{>00R;c8e^Uu}K?|3|{8o-ctvH#h^a-zzsM?Qi_a^T6op7+~c0=P;s
zMko&#mk&p<{g2x1*CzMZYN{i3q~5Yk#S>{VIH?}DwahAi^ovgk*hI9WJB7FOf$SLF
z-GG!u)eHEy^w+abm4|uFj@lV~k-R@2&?dmzcBm<xqBXKcoNaq&`Da5&S&LY0M&qV^
zmd0V>)iKQB3fEsqtvZoXG@Ugz(uYEr116FYgN=^F;}@*&g$6uz-7{?F8Zy(yhMh;e
z^8|rjWZ#za2H+WQ!y@~bp_#G1k<?;k(UQX+UQ2mXw^`N6>2vZrxyXMVqz&f@I*IS^
z@qH#p{Gjni5|_n4rP#`Vo|QBs!piN9(s1If&Sy+{TOg#)n(F_AqrVPiARA+Z=#Yt#
z7~P)l+-;R0QO14ZTRgjAWV&>d0bM|(^NKeQt^_x4!s|j>c(U*uujdHLZX^gLc=%Aq
z+P#*T@;g`JvbmP%g<!5i?1Z|z9Bl!Mf^uY!f^1tY40(ju&L;}*uOXK@P+BsFqTwm)
z9<`YKdWzb=c<*kErWVRra4hZHI#0OeP+RP6Bi<blHTa?wU%~1zp&XelRLdE;rxL2!
zxzaKy7YX%EC&rB7q_O?Rt0^`YldS|)#J97<kasOjOg*Liv*uNXzZ&?m;|rDku5{Xj
zUuD7*_JtGUa{ss{L?b;`${AG5@t}(<znubo{U6qK<iu6(e(QI0RVFUp;mMl8DTr&Z
zzh<;qjs;Z(>Q!`@3}_R3;7t1IBAqE*8Uo}sw7;3Rfuu5`maF0n;A@q>rVa}p{+kQf
z+lcKV#l9a2*t2cwE|UY1TVVrMY;pv}r&x83htE3DJnM&qbPm?0R5Vw)dND=i5oZP|
z=BJ!|UqqO`j`~fVWKi{X#s=G@7G&^U`89d=upGZw*}i1|Og%K&M3P!+J2xRv-B7(o
zb=W)jLnas5gqyByQY72*<m~^rgaw5nfxk<PaCWrezb1nY9WnTZ{en%EoQ2Sh(K(^a
zedPmHN}m4$F*@XE;&?cCxI+L^H^JF~6jEh|Vc<;oK>>d5o{Y#v!cH<6GunFQ*}+ZT
zAz|>dY&xj0vF>-x<<UbO>XL39uX`8SU;B3O&$R$kIfD+?-}))ocrvVQ7_wjYnetLo
zQE#~H;09T!cAB=Sy4AoEZ$4m?sy*ioPsV@j&=21G#r%*UtfFQ7!+G-oXu$uBa{bH3
z@Mm=BHy^KSvt|@kmLdV~^E9ada)mcenh2a3W|{1R4xG7lld|mPW{}ZUZIZj`mXS;9
z&q4$b$)6V*8kq&oxRg8hq>(#FJcj;zKmh~a{nIgAlFox{{)nt?NnB28WrRkX^=X#@
z-?0BUHjgcew%u0Z$RqtCN=@Jebl;l6zYJf$UF9d?a`K6y+5Y5Xd5ia2#}BagP?he%
zo!;JZx{u;A2sPL0#4zm_te_9<t2WHVv*j^ho2%aqA196WL`aNweA!}6x8gp}PnXxA
zS97GF#SjxRMwmXT$`0hSf0ID>|5f#sVNrJ9*MNiq5(2}3gh)z<bW2Nzw9+Lx4Ba5z
zDAJ9BbazM(NH+}4(A^#H`263WA|JRe?u#$?zRzBJt+n?#M~dUARY<W;7`3-xD{%te
zz%i$2j?63tHP&WAc^6?Ha?2vtyC9Yb0Ma$*X%RS2QqiWoG5OFcFs;B;m7Kk#w;5~o
zm_=%ZTna-+OLoZljMkR7h(*Qo9|(9#0AD76fog6l0^NU1f^z!OOV@=BzfF_Wq^<u6
zhyR~S4ET#ghx50$ODiiKfQIn)U}AUk=^j^hfa`(kg0&g3C3n4<P`i<F1%@or%Z>%_
zvjIE1>kk`&ebI*R5D@@#Te&uxYd7PbAEZVM6f|PXbl-}1(9VBzd#hE4>L4(Q{H<*U
zp(U-0N<W4x2REkKR&KMPENU4zvsl{q(j3(iz6p7UEnu>eap1?{hcLAS&cOW4`S%u@
zym6?iPlyO_B-Y-ly;QF{<e^iN`(8!B;wG)DQ~kU@xSDjy7@usQ%0}lYqeJq?m;=g)
zo(j+tOh#(!$z+AT^e?+E+)+uz#$e{KDc+?xM>@Gb5vj#T-yqPBH{|~D_(Awm;*lEa
zU7S9g7WY*w`%R*E|1$Rbrw0LNcXpED$)oOQXdq%9<-Xh=h5=&4o>CHE9oL=Ba&Kr5
zuIeX}ONLKOvri<>_N)e1T0+DA^ElceX*Xgc0(!*II3E>iCNeERy2z0q3aU$(Xuo>)
zIX@Q%1Z3+LLtVO1YcV>Afs3<j9?hZN`qsm7nE%q6Q*uAJ9B;*J*_2OANech1X_!|x
ze%fGctaynWo23y&c(RPv=M^$u;9NmyGl@eF-)w`mR*H^g6l`AZy4!X8^2f2hV_ku-
ziFR&+-|bH7%Vzwtu=&1OGx(7>v-Udza|2IiLOK7o#fv{9xgia`gX-kJ`x7!az0D|T
z=|Cxw1s9d+RXsGOqLB!{wG1B~mU`cNX~O*Qdh8|=2ptYOKJPmCIu#S?-)+*5ZoE<i
zcYSmOT5#*v(G!}2!LR`4HIU2t2ba^yRMoyG$4h1u26pEFGh>N1W21DyAO`j4_&xgf
zue&_)2)m32QJjeo5ZHgph>NP#v<th~J=1(vtrZ=62qxXhUmT3BQ$;fY@3o|(PAOIs
zqZlD=6u9O{2BJz`MWeW!kWZoGs%djYy;5HYb0H5%xNQHGEjW4Rxzm1`f-yT2=g;E>
zQ0Z%k|C$!1cV-_t6q3G5H&L}o6=F8Qr+UrNpI$=DDGa4CO*>3-uVW~=e9bBNXVvJZ
z{tgvis{cPZ#e;?d-Bxc(el?CF@c~@f^6b6ax>BXe|K!#GNd;b%v$o}QJROInw-6bs
zL6%fk`5Nc>dYa<4%2Txg_NgBoRSdL9dk1@WrS~UuwHIhIfGr|rF=2k(5{B^g{m#JT
z>oD#M)xBo{m$}LZ1nzG?y805?epf(yJ6F5lA;Iv`C^R-nteS4_msAW>4!(j*E{Z67
zgAH1Od;+ELbZypX+$6RE+i)`cWJ5Q=gxX5P>3*H|dz5wd2KXM8lC=Ryfdu~Nkr|&~
z89(f+N94L)P1>!@W<n<*(}UM;7gklCW>o1av~IZ=-JsEEFDO&ddaP;h7XDukOxN*0
zvE7XJ?&kwmOM}0mr?#a-OPA$ZQ4mz2w!Yd&co1zD_9|T?^%v#C+GWRvK8u0j)1|`$
z>RWGSP<V+bL%}cvb5I3L;HW!%!>2TMZ00|5!d#>(ac&13k<87IpQSawpCFv_e*>^o
z^#R2$;*y5_;z5r8E;RneYu#eETR$d`D>B)zP3197xYkiYGmgGaUlcRoN`G1@j|Mn8
z8%|48N$2sd)+%)`<Fhm&A?-9UaEOS>OWKt(nVNZSs^BPIi)KB^v=Xd~qmC|b^<MFv
z?UR(uR~h+}CM7sr8>?dG>#rnXi~USA?@B5^kUk$yPtwn}Lg0YWT+?(dHqf@|KJmQS
za8bm!^vV%H^%PDkFrJn&@j1B#@}9%W`<VP6M2b27_u5*8lIKf4NW*wVU-@FPG@aAi
zum~Yf$(6|S{C||xK`Fh@q&F!EX&3FBgT!O*;D+@U*mDRVZGig{KjVoS_vp9bJ?WrM
zsyRNxG0EIIK{C1H-(JN&e3_|f-f%b)3Mf7%YJU;MKmLfF9ux6Uy;-mFlllCj?e4)U
z)0j}!Yg)j}So7h_jJ}aPhKmthH@=GMHk<+xtZP;t#Km2iFAU-A9ee^qSGPodP%+i~
zF*(Q>Pvo;NGlQiEVzIVNV*68w=Jl+KOIHk!c$nIFvE(++&c4c)znhd%Sx%h%{L&Vb
z>TUbpKI%=ArDdcFY=*;%Tb6&G*8G5jv*!M2FjSV*8%wnNQ5&y@v#e+ni7OPPI!R09
zPfCiQ>vExtAZ7Hb$89~J13vgXMM$@n8lKx0;9dGVhw*-?L3d})M~DArr8<hs^~K_W
z9ghHCD0f!wUbF@S5|Edp0zve#jm`c}Bc8>hS3E^CGC!4>`v@fLZMbbQA!tEoE9CB^
z&{#ls7?PD(S4WI>&p206y6bZiLa0bxj9c@Ej;fTNMaSSUa1s?Fn%s(17p}4v(~>SH
zGv5(XAZuTk@9b>1&09p+TQ(u$q4GfmvfK=j<@L26d~?AaHsOLa`eAOW14H$nnfP_H
zt=AGZmZgw$S?!kP#v&C(J!3Lcx+ErsdgT*cPmKE_F}eo(a&&HZQy7c~AVl&;IfBXR
z^;kcTJ@{#Lxv?|<kYwN9JRbnU`+?i6{6EkBnumXz^HZ5fjZ*dAcEXG<njkzVl8+J9
zOb(qCK?Cl3pL|O_#c~AYEbDp}-r(l-HjtD)*2UiL_3ZUBxV`64X3aU6U``1!bYpHP
z2${65a80)s&DiMc<VFQGqyG`bbfj+oNT!l%JX;6ky9hH6VnmXt6=|Pyop2))vlW7D
zUcl<-ViynNQQBHI+t<d+Ty#^S>8f@(+B;oVwlLGK>P2(<1-aRe8ohIo8aStClcA-!
z{@_$C!c{}14TrLA9uoMW<Hx3&TcvA>D)!Qsd9QeL%%a<`Qi~p4JIs(IC-!{gB@oL|
zk$RY5?-7|0>UZ3wPyZ?Y|11;uAEkIGrP4<Gi~6;$?e78o&fUrQnz&`F@>YyIQ|zw^
zMNu29Nk3Zf_C&?qk_e2;fIaQt+hYYUt>A*A@p75muJU;$`b_sDu!96Gs8S1`B7*I5
zXb6v!$mEGn@Il)1o-WN1t;<~!1oZUzH@J+U=DaQA?O9k8Ep*|BGOuvzYh#RXH4(Sy
z1<`Wdvjf$Jfg<H(9pEZaz$nH?U!BNN8^+-{41&%<U2E!%qf^OazU^nUXUYY70yeZQ
z&&O&V3av#P-8MFJ!B@l`4<wZ@Sf%CmySoC>*N2#+vWP@5^tA*7UoY<u>HfV^m^FQ~
zOBYuWO77o~>ejJ3(~{*5)_x&<6jz{_J2PQ7-f2IE+{Qxl1ZRwhr!{p%4YV6^^D9I&
z7?SlBjh6OoCEchQ)f!pXNQBEnQ)UD0Zg?3Hu&V#K!XVq-Uw`1x+nOM8rik%HkwGE@
zN*iJNFR`^GHgz2~apD=<yzZTW)Ffj=afd=z%&lo$)#Wa>-Z)7gR)3Uq$u03ttEUy*
zxy{_18y|t#uBJu0{6w0h8O}3MsBSlkLvofFigLkd?3+}`?E8tYtR3*nwIK@JVq7oB
zS4QjEKh{@>=8aO#SBP)W?!X3qcn@q2m;<u@uZi&Adlw*CAVw?jGH+w4yni4pqLGYH
z;))j{D2@LCo@k`@Qu4IBPbjR}Po3*>_qt&t7R?y*AEc}yA=8E;M1#7tO4;mgsA<>4
zCdHKV-xMwEfo0Q+{M@!v+s$WfmOmr0+h6`r($ReZ6HPu#4rlCE1mbu!Mp&fuzcA?Q
zWb;6JmT68Y@S^>m=vN%-fm$-C>luB+Zn7U&nmE8&=a8bfMnCv^@;E8SLf8NcBxJ%y
zSUS9y{noQNl6d%ersPCo=s9b>c|q6s3yKz8dMAh$wnY80`Dm1qLIAq5YDsY#6PnFz
z;;&~R(E6NB{&$XYqlXQLQ&#X<ohrxm^!B2U)}Nq<Hf!)+GJ9?NbkK^|IxX$>Ko*C_
zw)*9OJCY7T-itr*yx90#$~t-d0)04Th<Z@&zO_iA>qZ?n-<=jUJ5stn9Mgm=-8l3E
zxnTf;{M^$(&+$1>xoH07@pf<uq!8DmV^Q`oGLS1Li3>-7=ShjM`%&G}#-d#<F5pp_
z(|v3TpSj@*o|eJIkz_{z$nve}Yr$!&kZ|Qr6gpiWeFK~HPB+-m3t4i6;L}ZWsX}WC
zvb%6Za#TdkG_}u-b^(ej2rX!B@ph6VcB+u@PZFWEkAocwhX*;7(=0gN*(6t{nr-h#
zJhyO*j<BXw$hD;U^jWz-#u8>_-9p5M3LS2Qj+wDWN-erAtBz~RXgmdAOkqB)zYMN|
zG!g)?sPC+p0d86d8pVsfFH^SuV}@{Wu@fX1!t*I!_ZlyJ0L=#nbkQtMs|sliHGO)|
z`Y5*k!6aQV6uS>DM~lWhJeXm6YkR1$$nz9o%Zj6&XQk1N=dY9Hs>)%5*1K4z9dnoH
zQhTKrX7_o&e|hQNwAZWmf2GQ^Hp=%04&i*(jF4g2M<OuTcuuv%iiN7c66nfmF37bk
zx=|$5c16)OW0<6m;l$h~D!@BMY_nv!mB2nP9}GB>YhbGw-eLEcPc{h2KEO8-Ftz@9
zP#CeXBpIZW5piw7VNi2P)M3EIH|8c$T;AE_!^fKI^r3)`Ml{BKB$Y(OpaSM-f}5O2
za+&zZHOGq!-G27@K7+bYmt?P>x52Y_CrD2Deq~LDqz%p%(^~xvjBo$CAuSUBjZelN
z{bKk_B7K9TeT$eqzh}&&v<vBZju&)R!h)o|<p0q%FX-$X90W+nAR2m1=;gf)$Cs~9
zPt3lJM}Wq7%HCx5SKgoOE*+2o?)`gP3u&u(79zt)HZ+wWCBY((g%(R$iAjPIv$%_9
z={PfnR(>tL8e7Bhh$~LTX@B#f8>dEkWs@BZw{Xr+K<KkEy^1z}byonJE|))X`<pBk
z=@3bD!pO&1vZ<A<g)Zh=3)Q-gcc%iJ<?Ts`;ATvyK~Mv$id&J=6JeOYiEV`Ex^>>V
z-Td@6d0pquhh+&nY$d!CFFELs)cu0*pB&_stz!uJY-q+XSt?&s$Nw2~X4XX%MBHd|
z_C^2S`hp{Viz~g7o(KP6-*H_|iDprWOVXpd$>Tl^`jUTga$IfkV8fh8h<B4^>_D|`
z&ea28iw?sCk5<Sr#~wc6-i$|~0(26Oh9ar^$C*K{2WN?}_V#ioy>MGo%DhIbgvgJS
zn2k-=a#FQVMS%02Cbw3Pb<2b--%O_6e39#(jWl@l<c0rg-LR4?CE3E%a@!|NxYdfq
z={hniB@U#jA?099A11PV@|lzPFrp~D@%x3L?XI&b!YeTsSRzGXOr#+`$NCHvEZC*W
zpc!ezfzW)oZb*T&9>V}*PaB4E5dQo)7j>IgaOB+VnWL`dOV~@nJCfpI_VVJTy;ujb
z9BbJbE*lGl*;`qj%RjZvH|Wjp_D*I(0nLN92E69CQZMu}s^4F!FSsSHXF?z3Cfv1F
z^u2BW)IUjiP<$$BGLRmB^h)UX$EE+cr}4zpycTu_+zG%!tJ(kFDJ-bK-pQqs!S3b8
zrdr*BYq(u^8MB}JI-_D}@zcyz3`TKzEn=~;t@+DhzoaLn(pt+_k?#bQAIsD}$6YMw
z7BY&|dlJV;K@+`BOgd2i%B;z}XI+7)6era2TSDBgsEEPmP%pudiH2bp{`}pn9CX-{
z(5f(l`!y^;U}nNTsZ+Z5SZAW)jTL{$>Kl@*UmH8B@9*%x){gWFld87jIkCFLJ(+s<
zT5r_iedqhkr2j=l7Zv3My|lNKQ0>z{E94telckoRPF(``?yftHYA?m#^n(Lg1b(fz
zO9G);VLf6L|J_Alz33jHeIf7m%F{j4Cw;`K{Rs=L;Pb%iB`{ve?Uv2%)@LPEx~7^T
zijs{@K2q0Uy@?6ScZL<5@vDw~T_i05EMFmS{Jygr@~|7HfzV#IB&F?fpc>2iy}Rt|
zx{ZmEB^6)lkw_3JoN!SAUXfG;gn62`dSM<yB`|(2X=%(SWDkgTfo;IJ&COP`AT}YX
zA@_pUu#7SjLX#3R6njCp;_A6lIg<@RmZE-h$T7aCi7h2VF6x6CU(5B|JDN1r`1ta{
zQ<q?Z#~QaT7IC{`g@HND4?{2nhZhflMFM>RjgF$l)d2bs<HKTaccVn3YI(LeerOIZ
zEMcOp&e&ah+#t+*Z|AA|;JhP)p!REy3TjzhWHoiP7IGnLo+T^1a4|;P<)g%nEu4hn
zgRY1$m0v1=D-T9%x}KSyH|*S|j~6fO!s9&A$e#;FQ@s-*(v*2W;%8usoK2B$rbZVH
z(VHWUC$sb6<KY;elC}!-`QeJH;Goj&?;JsdnQK-i_vQ5%_79n8<-*&oO)<|&d-0T#
zBDJ9OcPksKT7&!R+UtqSBK}cGkz5re*_)+47H%-z$w6-QRZ9u-RS9hHS3kkH`6&hW
zF5zRxZ;}s!Q~MTO?)EsU;5FJf{lm!EMWXk;=hAuCg(SMo9Digw^~f9@tvL=HD8u}R
zF8uEHSpH}ch0|s~{`0+oid5nH!<|Yqkg8d-suS}_!uvLM9jw&dy1j^l%Jg=3`1}h;
z&8Uo>mO{l{Ay277{J@yw%yI<MF$U>l(n^-~?We%&PF9n1@z-{z93snj_FH3N+4S#$
zYDQyRokK_=VlA<Q1|w`7GT7#jkkV<_mtEcoBT#7|VO|F<dQ2EaQwo8EEvx&@IZ}?5
zY`uJEQ5EE}M8Y;K?8=7NQ>e-jJ3nX4gAv)?Im#g-%{Zp@lk-TrhHcqm0C9EL0`tdA
z{JQ_;)9*6>76lG7u}Jg}&D!`6zThVMs%zuX@Bvu;EcqqUQmt69_P-G+M$p3x$h}WV
zNtv=b-lSM>HU+iska`bpT+6YJ7WW9^?Y(zN>RxKPZl51@_Df{>@&=o;thhWQM|1Po
ziXw|0k5r*?X)%bR<5?g;X=Sy}ZKJKvc6+VF4^~dsA?XpmC=kl2GA%^IdR(Wl8un;#
zH#&y(d49`^r8QCC%P>UZ0ME8fLaEULI$4ul0a+w+AFt%r%V9?`W1GNibA4!$5I}pM
z2F7*mVHHq}3I-up*Y|avc!G~@ypgXki@sJ>oy|qW7{~+i#Ta!8z7hA0R}*W-^lfS*
zzGt&;;<Raw+(>OlCWm)X&4jdXsp>gO#Gm{DTi@-h-?}wkFwgY?0n)ER;;%2SqD&e$
ziShvx9!SEK*@2(CM9*JC>UYEg(GS+PmWDG;5(OxA8*t2+25eek9$(iBt&)3^>KK1n
zG!_JL+s*?c&)S#MbJJwm4$E2A!W0XsCVZ%0!9HrsiWn5Lm5zZZfix0~tmVGh+DLdL
zCj<^#b?*?VQO$+gP4Nu^{dTWY5r}ZMf3+V9;8lnf?%Vs(2%upsfs&r!pKGRQ;5T?r
z#UwL<sn|Jkh2A%DeM9gTmck5vcjCug<qNkTr*@C4lNi^xD4jZC)7L4o*DV}<XOp`}
zxB-)Hw`539*DFXm$w6e6R#Kfj?aPBT?UD8JGG37#M?Y~%CaqbrBvbA;*e4wB=;^Zm
zKs9R-JZSQkl>buhNc=_WR?=bWq_2d{>TOOs$y0yA{GZSXLvlGK{D9~L-n2RXOpdoq
zx)VWD<H0rC(9^{C?#H#=zJBewvG&cEL2odv#`AP~RhA#Gwo&*TBVVz{J5JzF+xx$!
zHj^hjC7r}&3ZN6B&28mu53TbDfUD(E`1tE>rZBb567>g^N0`sIZbu;+o!@SXrFY`d
z4ns89$O0JgM^)-Oh9x3V$OtF*2dK8t5*&|z^ixW1PTnX0QL0e4)^=e~t9aM$IM2Ao
zlWgAN462l40<{uu@*XJ8=CxqX+>C<ztc}Vr?;0OOEt&2`;h%WefzZtnhdM1v`W_&a
zi#a~ev84*$6PiBkh`ppAfByS7VbU+TYh!4+_!cw`?ihFeZl+cJMR0YXW=Je_I{5-2
zFah?7()}o^2_1tZ5y7N`@30?xZun97!iIcx%Q-?zS4vO#H%ImYm^`>Q4!=#hdYYUM
zcI8G#j(Y{hdFB>Ay<uK^gM-uN;n6je_*BQyBS|j0vLY8y#RpK@aLmR-l5oZt#H>zV
zr(-{=B>h;W#V+S*f5jlXyzle%ps{yynY$h2EiP!~<?C}Su&b-wJGPH)y!HXX#%884
zvZ@eFwC;I}>B*3|)+GMjiP8?QAoIb?G5f+N6C9p6`MrI}5FIu2zhH!0R{bdMJ%n1|
zS*<<Mdo-@}z$#H$Orp2*uooanzsSw(WBICCBmE-9*v84sBemZ5%X*!8jNy?3SL50C
z%7J<9d8b*>7uXjcl-eK~SS|9tsPPR?<WN<pK<RhT!9-_SfTG<=J7gkD4u1RKnYBk-
zOpU{pHK|v4C2TCfST%iV=0&)UjvO1*Gm|S0ev|uK>TS0dBr(Mpr*soaRz|Xismiw8
zs?$Gei(aSqA@pm{bwQA#!bx|y3cf)`)raF6=SsNL=abEn4X)WL#^8})JN}Sm*ziq0
zB8^zyZ1(BB+K1@}(9DYYTjBFNus(no5%iQ)q~sK98^2S68W1p<iC6n))VqHt#jfb>
zZ~#44<<mtooX#!o&J$*MzKP@r$;ln_tFFYrc7@2u-6}m=2&6rt6d3G84&8<|CgcrO
zulIOm%7;Y#*o*BS2M~P$&eQhPqZ(n!%;pt;uGj;CqDpE!2@=NBT(>ViR{AF%U9S)r
z0Fl%6Sl@(BEhne*enz&e6HTu)n(?JlT^!`2RkekfJZEqWmk%NJf0SMwW-Q-Ewu&yz
zQdqSF)S6(GEb6S{U4tCsWfC?F?Mp7~A9L96^f$QeBvr|+r~GoPmO>AeSj*c1u^ZV|
zhVSA=?epr17VSG;@a3F(ym>I5px^Y{q;@OvkNqPzzO{%Iv`p(>=u()~OIIfdFG6J_
zfHl<wL@58bBDJRIi>G?3GqZxzonWQU3JcV<hFPiI^9PribKQ_S+l?K;(^<P`AMUGc
z4i!@i$i`Pe%1;Sr@mT;0vC4B5Sszt_5<DIQCS4mLXB(BB{D{>aWKmQ2>E>GCfpWRe
znG<=NS%Z^1!z~IIE`9pKuD{q)sEh`umcKymPP~9dgiO*?R8>&hAs+Zx>a;WZR8Qk*
z<WjRXy&aQHh?$P?`VQgYi5FM=h35@$J8B}*d43N0pw^;~pCppQ9|;^$#hpC!$s_1g
z7d4-KuvaPK<KN6-R)MRBA40F{yZvHy9;S=FGrDe3n8=Kpj-iV|>{hF4V`ctdR|$^1
zE>rL^D87``qcPrWcqLS1cb7YMo^Z!)MLi3#EN3h0boFPVm+9OSbam&M7q09Sc1`UP
z&oL}E+mdS5J81eK9+}(scKS*aiWBB#9)Ws$&?A3zITUh-KO*c4c@x3!k-1oHeq4tP
z`Z$17-*QszW4)=ZSxmk9>VgYID+5tGF7XbPk7Pih`jX!9X$kda)2OO}STZxwAwG2;
zOLKXF#x&$u;O57*L)B!M&+I_bD{p(@Vmg$c=#w{m;li)Cw-R4Dj#Tvta3;RuS2@+B
zJ-}P*@mu{HnQtw;3>g|esTGTFY5y`oUkqh^2w~pZ=30{(=l$7d(ypT2Li;d{hoM`v
zr}qiKl%k~#tAVntVLHih2;tE#yBw3kr=6e;wqf2b%?-_W#38u6n(`4D<28pNtl6E&
zyzrsxw7I_SCq$eD($?nYd9wyMghF<gVg?ZeZDjXSfl0Z<Y*f`3Hk+YlV~@sOZzxIH
zi6EzY`^h~;5$mX2!Cn8U(-8`??d&>HNTx1y8fQFeOs&eYEME`MLJaqW!S})4XwRzM
zSnM{vf1+@QANz=#RF&h&Ek$W~8by+W?<r$-_x7}>u&EVezg>Mk+rbgp@n}W#L%Uf?
zqy%9U^uU6J%giPu*tYQu*cz8Nex7-Xw`DCpu!c^W;z6N;4_m(V&4$6?qk#zY+}*jo
z;M_<8^L`{>di`v~0hP;5WG?5-^R#9TlKIZ%bQdk>{IyUE<ou_=Or**kj%G&Ii~wt0
z<c{GV?;Vdw%P%kAG2kin<mmJhzB8eS#CBzMpy?g+RX?jv;d{Tjy700raB*4Sldpw6
z%S9=jNui^T{?|5C-Gnz+Y;CJK75E~()Ryl2>z}{6h_31j*Ic`K%rX+LdymBp8;R?*
z1KCWpgmQ9UPEO}y?SbZhEt6$SUR!W#Ym_|P0yx$5dpOQrzLW03!U&S`&D*w&Kw>bE
zA3L&RVqsoBd^68pfb&lzCMA4fr59-FRosQ{>)}oVb#aSoZ4|2Dz~^6P-rwJv!96bT
zTF`b56M&*V1gJ5Da$-s>rlY8vG(stZp<%io%MBXG`4rtxiyUu2ug{1{V@tNw$Pswp
zUMZbbl$dF*x-d8c*!Y&fg?}1l<x8W;z%x9E(SsyBIyGv}2&9V1g#@^ME4RmZUXusB
z+9vmj{lO!~qLEzGG>~`?oTB0#{eaTxl%#!ghfJAPWpc0cVpRy)iF;;EU~1AjmQ?CF
z;I)ux3zXefy8f|VjV+-?HNr~bY9ytrQg~gPp?%AoldHgP+&im3@7&T}ETWANt7u8)
zB>39<A6=lzV0Q)Xowl^D7*J_^r~FmrDZ0|%X7ztsDi?v!L;rBF=R)D!>G-`SNh#@O
z=nuQQhWnklrNx1?rZWs&RqjZQH2U0cSfmPHLDhXx$5f0Ss~%8*l0VzFzAox>#6znu
zHN-ih698X=mOxVjWuQxN#AY8sIG=Sw5ma<a++1q~m+-)6i2Ut@v!nhjl&7d%gp%5b
z&A=SLE>PTDeybsIsBNMyu7Qz;QYTJVTvC%(kThV)iZ-AioBR3dGbr?9l8Tu1f`i(b
zY-oz2<qMKy2L0qX`;Rx~%nU$R0kdh14y%$|8ZEZ~{Bej}XFMgI`3e!y8|0`%5)wYa
zl=J<pLDEtTX3&G;{o?nKe1u}+x9A7F2M)QKY8mdtyj&A;tocu2ufP5z4lfJo(+ifn
z_o}!HD(-Lu8voPUueCw%0C&R<&{=1JdVJX@6=+V+_7(X&hp?_enez45B<OYbx|%n~
zvrRWpmYmQqTf^^-8vStzt6W`1+J_|d;^K-#+3SReOQ>~oKe^<2ejI+G#D@Z8$&h*V
zb^`k{KM4u@n2_i#;kB;i-*k?2)F5I3>rHT#1Zb8=qHw;n4P_MDYkq4&lfDu+^UxmI
zXhA~css`ad{zCD(=~e_d^Eo}P$~w80uqMav!z{DadbE24a=%*jWCI1%aH>Dmn6Lk3
z2Gd*K^=O`+J6ur)of|oYMGPvV8$~Ur^#LM<iUtnuL1(h>HXpve{G$YX!&KlP)j+rU
z^&uoriuy7!#|<bpfHy<$iA&b=yZI0<W{43v%(s7ZzkY!EaQD6q{h;rFjuGLFcQS{t
zeQCe_&PI;)nk8S|{19)gr)}*$Bj7$fzx0RZ+l9%YVqlj9mtdJ>*r!HR9PXw!Xc#!P
zO1TQ=8NXf^69dfp`I(&I*9H9I%ZZXh$j+$izd^wxRE`C`Q(X?}^+10`7fL0>rGH~r
z9*11MnJWYv3dFu+wBG_+2bQY7-8xsI5++jiyTpD~Zkc6-kJmhxBx~KU%4FrL_eQrH
zFBvIe!@&0mVWOOfdQuE1er7FcJcxSRprIG~V~=YV^dV)As{I>f|0iU;(O)*_+NER;
zujE-wt$L@sm>&+emVW<@X5a15zdWEt?KvXn%WF2pZoIGf30sc(k<q|&tIv>-2+hR8
z4cf>1b+~PxI`8e7#9jHBaTWYK3(-ly!^c|<ZXK1&1_!!*9GG@{^Cra|_Eir)Kr^;X
zZm-YQRjrevBcwWDDW(tMWzQ><erX7E1Drs-$??g?j7T=*th%IB+Wisn?5%Qs)plEk
z#k|p#eIKvv`h@{%^<kn@16%5NijXsJyXcrXTx8mxBdqG8EfPe2)iWDuQ34$%7vWH*
zw31tx&^lDaGCitfBf!sk-Bx*_8os+B*?f>UGGJ$OT$w5~2Mu>TiG7(m_YTcT%Hrt#
z!e01YO*d3a%&gDx{-OiRcZ==^>URYWMe2lL0|%#dEJ3s3G}+G;bh;^jA&y#oF-BH5
z`R#-7!Iu%7F&<5fIo9%wV<Fv-aoz}j2xf`LY`9QxiD5PELK&7KujBN%!%%!$;&Is<
zNSo#&>igpX&w$JSB7C@&Efc0a!jM2?2Emi5M(C1Q`C?XTu-d=;(ucDEoWy^|Z8JxL
zwZ9ugdp}zSg<sQ#mBMf=$vfc2hGBEan2<e2gRt<LpeTiZjWkPTcVeHti#9`zIJ#}%
zDo?NH>Dy%HV?vE!=~h%fO5Z|_D}P>R;~u;S^bDJA(d6Ln1=z2Rx6<*&bN6fLdTg>5
zJ<-OnA%s413nP<RGgSZf$3`ZB*y60$ic}GdyjY~8jQ!kxYd=+E<Sg-*!oXQ)as1=T
z9*7BVgE7){=^17tz}$QSXxCO8v8mCNk`iKXEk2QaS?iCkm+&`R{9!JqaQBtSBxJ&4
zmRmU8cx85aqVCbJI|_{9sv5Gdd?CyP6W#3e5Qn{(9E;ZJgxc$*+y0%QSL)HumDJ34
zDv&F(?O@y$Y$Bx;>yQObyE*thdOYYqA?ZRqkF#;&583FwCU;E1Jd>xQb6!Dti(C}+
z%A<lLI=4^cAufZ(+lRATe>X>HsKYt2`B~-KF9n5wzmMTxT$c&OZZ~XF1H^=3mUozC
zv@>nD#lVE`H#79YoH=;9b6URvwB2RrV#jmShbGL|xWu5x?J;es$0=~NLCNbJnan3|
z%DZyTbLElRQN|PQ&O@Hv{1D<>Cg9s$k5*P%?Oa@53q0NhT`ag9)0*sLuL9C|ViYjT
zM10bQ^T-wTiPWoBP*im<L=`@njJVhbAHQR~n}#<NYcn7>0wAi|xB8F7{P}{7`6X#&
zkz90*gQ&G(ZE5;X*Qfh**>M1+cT{QqGI&^|qKq$i%gNPsBGlMddsx3p1U_y~%0(|$
zs|rT5Kn!d}VsidM`n*~=u{Zcyk76o^uu=RIwr3@62*iFW9_<;CRkd={<39KyEz2W9
z0#9~jG*9e2IE<yMYc&~6bC5q!!bHkK_C<AgTGUlqSoOr$FFPpAf?Vf;R=Drms^n8-
zj5zn&l)>7F@*@0&TD^34$gY)_Np&vXO_R$f4E^-1Q*C8wuftv2&yj@BKT4Q<`mX7t
zo!b4Z0*pUnD28pKm6wSp7!rntCi=MA2oY6(#Pq-zwlHFa*u#buWrLmvxTEg&Xy<z*
zdLhh!I5!puKgOkr`)2Kn;?tTm_zvMVLZOANdZLf*_eX)nPg9xrhlytD()o+&?QK|1
zch{3vN=bP(cX_Ue_(c-`7MLK--yJH7`OBpG2cM2P8L3fPZ<5nlW{85cPY+OVh4?8f
zfZKMK#3s;NtI7Lb{~{pD!{cI##oNBtmE%Rv(kI<e`TB1N)Yrl533=U{Y#qZv)u-+Y
z)2E458rFkdZ{38TEg?d6o^ped!a9cCORm042`&rlH8rPK9aT(aO~k<{fu7ajmO59{
zZo*bm(96mxr*NR{u|P9630Kr^#M4;2jdKUHh_r(KRnJ9>TUD;9nTWE|>)G9@Nod$%
zW3$lNG!jHe+iJy>+&U~X%E@r(s(;Y8(JBO%U~PGBbmsX1I%JQv@dcZSi+uEqGV9I;
z))aqedCV3E^6G0Y`BMF%x4to|tdtE+XZgk@4_lbq{@hTTgbmE(I(>CnI+)UNax^4W
z2x*bx2NgbnRbxLt6ePddMQt4HaaryblfzcTGz=C?pNboW1yhg}Ep$tf=;&+DS7Yt(
zAF@WB4|h3*eqrm#JiTN!Wh^@xRlwA?5ybSg(h-{Ksav7E$0vj>olo)JQ8OP^l7xrV
zMS|i}l=k1GXBOQGbg9;Tx)s&DFyK5!6(}8-d_=Q${Y0EYr>oj%svi~0fon=2g_^bT
z^pcHLZXM=x2#X72YjWwTcI|GByXgSQ{j}}bv~J$NZQf_w7`z0O-rKvBOXzm<u*7O6
zHgT_}SyRu^Pmu`6rP`G}w)0{L`fBue?jk#$kD`T~UNaU+-agscez|3z#OB43j$iCJ
zza45e2Ad1s+N;8aWhtKmqwdd@)U>3B{5R?@e*3*?F0&tkf`6{V020BJ_jAu$A&f;O
zL|=&ANiM;~#PJ4IT9gl%vo88?BVJ_(mEfQ56#|N#XTKgxME>HDc4I9e1R+wM75X!8
zpm_)}^OixfGPr?lw%(P))8?t((Fh?ni_6_{&~*@6dk^SBqZ)hUXQ>1q{xhK)v{<M2
zT+<-jy5fp4Lia;<us)HkP^o_e2rtg-anX&&Dqbt=BXlNH?xTLcm4`mccMTuzI~LE(
z=9W${C${>1rn1lap}@Ozeg%Oz9&#yf#m0&FWo<AEel;(NXUNDMW2SXzN!7LH)f&&5
zNBDk~DyXueO4A(k5qG4{?h-cFjf^?-vR|D)B;(_5h~nDyE4`a-jytB>6MmL*$QvBx
zdyr<n^qAw9Fq<}#{DbyxWvfG5n?3-InRmWXiVD=j0Ilt2iG0`JM~d9l*kz||J%ILX
zp4evYar(h|BNNg~jo@Gx4)HgX7<2Oz3Uxug5e}+%@;f1x@v+I@2-W|{d6!!JA*75T
zOK;2SKNa5xUmAUJWVEfb31jG2NyKI@`6MYz7BxTfiKDcB*LQJUV24D<Z-NvxTW^Bl
zWh1yhaWK^nX+z352)?aE=my-0q_s$VJ=l7DjT|<;(L$%!DxcqmkHIjiuN3*n8x+OD
z>PPiP025bT)Y3t1yMdoVE4}zr;{`gOL=V+p#rgl|-=xtiy`iZ;S^4u@%wG}`ZO3H~
zU^ew$%_|*LmPe$qz74a#sNwB0V2YX!>0H<rE1h20&HR*mw!A4^Lsmz0=jCl&OK=zX
zGb95j{Y%8}Cw&k5^i!-0yZ0}g+!q{{u3C4h7t<o<0*<qe_YJX@|8nI4aro>RAD))P
zgFYF2r!GP<#`MduS>7mUSC6?tgJuBQl@L<$JIdjwMz8}J1a!qm^|;J{<(JEpv{A&+
ziM?4KVuiN0jAYF!BMi?LIQ_nFXD!@+qKMkI2vGHJwg$1`Nc8{(dxFt$%8Cb|-|(Ng
zJevn#)g?Sj&8Tao?!gz=;rLc(qs-CKQjK2<Kw~y^Z#<wNWZQvgXT?|Hj2_8>#pl~X
zy6+@y){uT3yYYJ(Z(VvQ41NOcQ$o~w>w!UW9^n>{%5&%|#^Z~+J_8*R`~Lo3a8+F+
zwg9{-`&5TNa-w<8$nz)UkuaBVt~rtSmjY|wZxPBQ6{+n*kSTRp`%>yirrjn0P?%f4
zw2D_h+x8bWKUX@M(a|W@b1vbt+l|yg?tt|CWGB0d!MMxDk}8AnlqvWDZ&kpF&E5I6
zI_-uiQK86Tvt4Tek14mai7rrYm<!Y`Auip;kZlc>%yvEDrlnPpziX!kcma(7+7Io6
zM<f{`VBpayYw$j(wVGxC%pRChgzaS84or>;i@WHrcVi=iG_M<^leG8*IfZ+Y8~tR9
zth=p^NG9e$Z4@L+$MzhAT_-PkkQ~?4wXRnkuvs&Q>v;2<V(wa5q<<7Fo(y{W+|v4b
z&EXCp<vrszKM@4d!LS;`@w7^7hcylQEcHUFH4ULW1K%gF67ufU(k3F=xb!Hy=J$-u
z(NJ|*A~|ck28~+r^i+AE(=R>p70I<HHp)uDmb*YBBa*9*6OV)I2;h_e8e3YJHtysV
zuszNz(o;6wcF7jZ8psnlT+J0ZEr}_4I=c}?1~!wkWS9q8rv)Xs2wVqLoNS2o^788-
ze2&pdso4SyfLNI0UOA!K<3_AXKY|8}_I8(N&}iyo`koQ*;ozq)KH|7)4fxqFh8E^|
zP;;FfCBP@}EDiZYdZRti&SQt)$tw0|If<uP9<>xzGrPLtpY)GL(s=iK#4_Jq!SMkT
zT=XMo`TqKY(rkV#neVh)WI`)5UF2t)#`mu<YipNH)t)gQEvYQY)JF%01!0$N(cF+n
z;R-i98Y&{T0ee-VQ5A1mEn5T85HTcmzT<gtAuwBSXc7&-@kT}sDtHp?AKD61s(tpI
zv&U>eZVPck!>S0}nc!9-@%Y-jtSp*`-YariVaeUga0%n)9r~IXiFOnOh&bN`l0aVU
z>$=F(yb>KgYFmfhB)C9X(`MXiCnh3wg!XN(TguhXi1y1$L49$xX(gQ(Y}a6>x~A%m
zQ3$}v%8QI7`_wDEE+)!r%2Q~0$c^#1QuAnN&;|Zc7LtJJ-pr9V9VcBYFHxE7W;L<9
z!q2^;vKNdt%`hFaNtvvL2zOR=o^OMKA(D|iTi)laOoWiM%%bFkJXh9<^<y?!rz=m4
zfjW;B+DIdEF(Ezj!^%t(M(Y&eu4edlve8~q@=G`1l}B$a+5BXy(BYy!yxgCRqBWe?
z@I(rl(i4`Runk0crfXIfevkjebJgNoM2IK&9W^Q-%4m70TEIGjtoNcCU}z4h4KiU~
z9(GHPItQNU2tnQ0c1dm$1k%zu`>Mzmwy#O%75R1cjTWwlAZwPbwVgxzWgFn^bf%q+
z>wa+CKv{{e%T=)03@m#N=81VV<zW>T5qt%Ii)zVu+{4n0sEE2vqvuVBGcz6}yH>uY
z={!>jM!ys>jo8*EpxPhy&xJZDZ3p*v!!4|nC;9}^usL1$!7T&U^w?$15}21$QnFa-
z$+v0gTv5JHb)p#DmTLyFF(8@!-tAS5URXugBq!MmHYa7LUQ@MIjq_4{_BxtxOCr&o
z1OkF|&`fh~f?Ra@R9iK*Tg0ti_IjrWfm(nP8(my4cJE_CFno8$KP>5W%s$5O@o9i>
zBAp&}hj)gh4v{ks2t6-mNWCX#vM3I|JJk95rvFMnlQ-)ax)^0`x6h6G@^H$Gu(0JG
Zn|Nnu!_!Q79RdC$BcUK({6^pJ{{ck{AN~LU

literal 0
HcmV?d00001

diff --git a/docs/user/dashboard.asciidoc b/docs/user/dashboard.asciidoc
index 2923e42c1ab34..490edb9d26338 100644
--- a/docs/user/dashboard.asciidoc
+++ b/docs/user/dashboard.asciidoc
@@ -4,25 +4,23 @@
 [partintro]
 --
 
-A {kib} _dashboard_ is a collection of visualizations, searches, and 
-maps, typically in real-time. Dashboards provide 
-at-a-glance insights into your data and enable you to drill down into details. 
+A _dashboard_ is a collection of visualizations, searches, and
+maps, typically in real-time. Dashboards provide
+at-a-glance insights into your data and enable you to drill down into details.
 
-To start working with dashboards, click *Dashboard* in the side navigation. 
 With *Dashboard*, you can:
 
-* <<dashboard-create-new-dashboard, Create a dashboard>>
-* <<customizing-your-dashboard, Arrange dashboard elements>>
-* <<dashboard-customize-filter, Customize time ranges>>
-* <<sharing-dashboards, Share a dashboard>>
-* <<import-dashboards, Import and export dashboards>>
-* <<viewing-detailed-information, Inspect and edit dashboard elements>>
+* Add visualizations, saved searches, and maps for side-by-side analysis
 
+* Arrange dashboard elements to display exactly how you want
+
+* Customize time ranges to display only the data you want
+
+* Inspect and edit dashboard elements to find out exactly what kind of data is displayed
 
 [role="screenshot"]
 image:images/Dashboard_example.png[Example dashboard]
 
-
 [float]
 [[dashboard-read-only-access]]
 === [xpack]#Read only access#
@@ -32,56 +30,61 @@ then you don't have sufficient privileges to create and save dashboards. The but
 dashboards are not visible. For more information, see <<xpack-security-authorization>>.
 
 [role="screenshot"]
-image::images/dashboard-read-only-badge.png[Example of Dashboard's read only access indicator in Kibana's header]
+image::images/dashboard-read-only-badge.png[Example of Dashboard read only access indicator in Kibana header]
 
-[float]
-[[dashboard-getting-started]]
-=== Interact with dashboards
+--
+
+[[dashboard-create-new-dashboard]]
+== Create a dashboard
 
-When you open *Dashboard*, you're presented an overview of your dashboards. 
-If you don't have any dashboards, you can add 
+To create a dashboard, you must have data indexed into {es}, an index pattern
+to retrieve the data from {es}, and
+visualizations, saved searches, or maps. If these don't exist, you're prompted to
+add them as you create the dashboard, or you can add
 <<add-sample-data, sample data sets>>,
-which include pre-built dashboards. 
+which include pre-built dashboards.
 
-Once you open a dashboard, you can filter the data
-by entering a search query, changing the time filter, or clicking 
-in the visualizations, searches, and maps. If a dashboard element has a stored query, 
-both queries are applied.
+To begin, open *Dashboard*, then click *Create new dashboard.*
 
---
+[float]
+[[dashboard-add-elements]]
+=== Add elements
 
-[[dashboard-create-new-dashboard]]
-== Create a dashboard
+The visualizations, saved searches, and maps are stored as elements in panels
+that you can move and resize.
 
-To create a dashboard, you must have data indexed into {es}, an index pattern 
-to retrieve the data from {es}, and 
-visualizations, saved searches, or maps. If these don't exist, you're prompted to 
-add them as you create the dashboard.
+You can add elements from multiple indices, and the same element can appear in
+multiple dashboards.
 
-For an end-to-end example, see <<tutorial-build-dashboard, Building your own dashboard>>.
+To create an element:
+
+. Click *Create new*.
+. On the *New Visualization* window, click the visualization type.
++
+[role="screenshot"]
+image:images/Dashboard_add_new_visualization.png[Example add new visualization to dashboard]
++
+For information on how to create visualizations, see <<visualize,Visualize>>.
++
+For information on how to create Maps, see <<maps,Elastic Maps>>.
+
+To add an existing element:
 
-. Open *Dashboard.*
-. Click *Create new dashboard.*
 . Click *Add*.
-. Use *Add panels* to add elements to the dashboard.
+
+. On the *Add panels* flyout, select the panel.
 +
-The visualizations, saved searches, and maps
-are stored in panels that you can move and resize. A
-menu in the upper right of the panel has options for customizing
-the panel. You can add elements from 
-multiple indices, and the same element can appear in multiple dashboards.
+When a dashboard element has a stored query,
+both queries are applied.
 +
 [role="screenshot"]
 image:images/Dashboard_add_visualization.png[Example add visualization to dashboard]
 
-. When you're finished adding and arranging the panels,
-*Save* the dashboard.
-
 [float]
 [[customizing-your-dashboard]]
 === Arrange dashboard elements
 
-In *Edit* mode, you can move, resize, customize, and delete panels to suit your needs. 
+In *Edit* mode, you can move, resize, customize, and delete panels to suit your needs.
 
 [[moving-containers]]
 * To move a panel, click and hold the panel header and drag to the new location.
@@ -95,16 +98,33 @@ to the new dimensions.
 * To delete a panel, open the panel menu and select *Delete from dashboard.* Deleting a panel from a
 dashboard does *not* delete the saved visualization or search.
 
+[float]
+[[viewing-detailed-information]]
+=== Inspect and edit elements
+
+Many dashboard elements allow you to drill down into the data and requests
+behind the element.
+
+From the panel menu, select *Inspect*.
+The data that displays depends on the element that you inspect.
+
+[role="screenshot"]
+image:images/Dashboard_inspect.png[Inspect in dashboard]
+
+To open an element for editing, put the dashboard in *Edit* mode,
+and then select *Edit visualization* from the panel menu. The changes you make appear in
+every dashboard that uses the element.
+
 [float]
 [[dashboard-customize-filter]]
 === Customize time ranges
 
 You can configure each visualization, saved search, and map on your dashboard
 for a specific time range. For example, you might want one visualization to show
-the monthly trend for CPU usage and another to show the current CPU usage.   
+the monthly trend for CPU usage and another to show the current CPU usage.
 
-From the panel menu, select *Customize time range* to expose a time filter 
-dedicated to that panel. Panels that are not restricted by a specific 
+From the panel menu, select *Customize time range* to expose a time filter
+dedicated to that panel. Panels that are not restricted by a specific
 time range are controlled by the
 global time filter.
 
@@ -112,20 +132,30 @@ global time filter.
 image:images/time_range_per_panel.gif[Time range per dashboard panel]
 
 [float]
+[[save-dashboards]]
+=== Save the dashboard
+
+When you're finished adding and arranging the panels, save the dashboard.
+
+. In the {kib} toolbar, click *Save*.
+
+. Enter the dashboard *Title* and optional *Description*, then *Save* the dashboard.
+
 [[sharing-dashboards]]
-=== Share a dashboard
+=== Share the dashboard
 
 [[embedding-dashboards]]
-When you've finished your dashboard, you can share it with your teammates. 
+Share your dashboard outside of {kib}.
+
 From the *Share* menu, you can:
 
-* Embed the code in a web page. Users must have Kibana access
+* Embed the code in a web page. Users must have {kib} access
 to view an embedded dashboard.
 * Share a direct link to a {kib} dashboard
 * Generate a PDF report
 * Generate a PNG report
 
-TIP: You can create a link to a dashboard by title by doing this: +
+TIP: To create a link to a dashboard by title, use: +
 `${domain}/${basepath?}/app/kibana#/dashboards?title=${yourdashboardtitle}`
 
 TIP: When sharing a link to a dashboard snapshot, use the *Short URL*. Snapshot
@@ -134,29 +164,7 @@ tools. To create a short URL, you must have write access to {kib}.
 
 [float]
 [[import-dashboards]]
-=== Import and export dashboards
-
-To import and export dashboards, go to *Management > Saved Objects*. For details,
-see <<managing-saved-objects, Managing saved objects>>. 
-
-[float]
-[[viewing-detailed-information]]
-=== Inspect and edit elements
-
-Many dashboard elements allow you to drill down into the data and requests 
-behind the element. Open the menu in the upper right of the panel and select *Inspect*. 
-The views you see depend on the element that you inspect. 
-
-[role="screenshot"]
-image:images/Dashboard_inspect.png[Inspect in dashboard]
-
-To open an element for editing, put the dashboard in *Edit* mode, 
-and then select *Edit* from the panel menu. The changes you make appear in
-every dashboard that uses the element. 
-
-
-
-
-
-
+=== Export the dashboard
 
+To export the dashboard, go to *Management > Saved Objects*. For more information,
+see <<managing-saved-objects, Managing saved objects>>.

From aa695ec6370e83e6cd595004c7d08e266fad0930 Mon Sep 17 00:00:00 2001
From: Mikhail Shustov <restrry@gmail.com>
Date: Mon, 27 Jan 2020 18:42:45 +0100
Subject: [PATCH 17/36] Normalize EOL symbol in platform docs (#56021)

* use api-extractor generate command with api-documenter config

* update docs

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 api-documenter.json                           |   4 +
 docs/development/core/public/index.md         |  24 +-
 .../kibana-plugin-public.app.approute.md      |  26 +-
 .../kibana-plugin-public.app.chromeless.md    |  26 +-
 .../core/public/kibana-plugin-public.app.md   |  44 +-
 .../public/kibana-plugin-public.app.mount.md  |  36 +-
 ...bana-plugin-public.appbase.capabilities.md |  26 +-
 .../kibana-plugin-public.appbase.category.md  |  26 +-
 ...kibana-plugin-public.appbase.chromeless.md |  26 +-
 ...ibana-plugin-public.appbase.euiicontype.md |  26 +-
 .../kibana-plugin-public.appbase.icon.md      |  26 +-
 .../public/kibana-plugin-public.appbase.id.md |  26 +-
 .../public/kibana-plugin-public.appbase.md    |  60 +--
 ...ana-plugin-public.appbase.navlinkstatus.md |  26 +-
 .../kibana-plugin-public.appbase.order.md     |  26 +-
 .../kibana-plugin-public.appbase.status.md    |  26 +-
 .../kibana-plugin-public.appbase.title.md     |  26 +-
 .../kibana-plugin-public.appbase.tooltip.md   |  26 +-
 .../kibana-plugin-public.appbase.updater_.md  |  88 ++--
 ...ana-plugin-public.appcategory.arialabel.md |  26 +-
 ...a-plugin-public.appcategory.euiicontype.md |  26 +-
 .../kibana-plugin-public.appcategory.label.md |  26 +-
 .../kibana-plugin-public.appcategory.md       |  46 +-
 .../kibana-plugin-public.appcategory.order.md |  26 +-
 .../kibana-plugin-public.appleaveaction.md    |  30 +-
 ...kibana-plugin-public.appleaveactiontype.md |  42 +-
 ...ana-plugin-public.appleaveconfirmaction.md |  48 +-
 ...lugin-public.appleaveconfirmaction.text.md |  22 +-
 ...ugin-public.appleaveconfirmaction.title.md |  22 +-
 ...lugin-public.appleaveconfirmaction.type.md |  22 +-
 ...ana-plugin-public.appleavedefaultaction.md |  44 +-
 ...lugin-public.appleavedefaultaction.type.md |  22 +-
 .../kibana-plugin-public.appleavehandler.md   |  30 +-
 .../kibana-plugin-public.applicationsetup.md  |  42 +-
 ...plugin-public.applicationsetup.register.md |  48 +-
 ...lic.applicationsetup.registerappupdater.md |  94 ++--
 ...c.applicationsetup.registermountcontext.md |  58 +--
 ...in-public.applicationstart.capabilities.md |  26 +-
 ...in-public.applicationstart.geturlforapp.md |  54 +--
 .../kibana-plugin-public.applicationstart.md  |  54 +--
 ...n-public.applicationstart.navigatetoapp.md |  56 +--
 ...c.applicationstart.registermountcontext.md |  58 +--
 .../public/kibana-plugin-public.appmount.md   |  26 +-
 ...bana-plugin-public.appmountcontext.core.md |  52 +-
 .../kibana-plugin-public.appmountcontext.md   |  48 +-
 ...kibana-plugin-public.appmountdeprecated.md |  44 +-
 ...n-public.appmountparameters.appbasepath.md | 116 ++---
 ...lugin-public.appmountparameters.element.md |  26 +-
 ...kibana-plugin-public.appmountparameters.md |  42 +-
 ...in-public.appmountparameters.onappleave.md |  82 ++--
 .../kibana-plugin-public.appnavlinkstatus.md  |  46 +-
 .../public/kibana-plugin-public.appstatus.md  |  42 +-
 .../public/kibana-plugin-public.appunmount.md |  26 +-
 ...kibana-plugin-public.appupdatablefields.md |  26 +-
 .../public/kibana-plugin-public.appupdater.md |  26 +-
 ...na-plugin-public.capabilities.catalogue.md |  26 +-
 ...a-plugin-public.capabilities.management.md |  30 +-
 .../kibana-plugin-public.capabilities.md      |  44 +-
 ...ana-plugin-public.capabilities.navlinks.md |  26 +-
 ...bana-plugin-public.chromebadge.icontype.md |  22 +-
 .../kibana-plugin-public.chromebadge.md       |  42 +-
 .../kibana-plugin-public.chromebadge.text.md  |  22 +-
 ...ibana-plugin-public.chromebadge.tooltip.md |  22 +-
 .../kibana-plugin-public.chromebrand.logo.md  |  22 +-
 .../kibana-plugin-public.chromebrand.md       |  40 +-
 ...ana-plugin-public.chromebrand.smalllogo.md |  22 +-
 .../kibana-plugin-public.chromebreadcrumb.md  |  24 +-
 ...ana-plugin-public.chromedoctitle.change.md |  68 +--
 .../kibana-plugin-public.chromedoctitle.md    |  78 +--
 ...bana-plugin-public.chromedoctitle.reset.md |  34 +-
 ...ugin-public.chromehelpextension.appname.md |  26 +-
 ...ugin-public.chromehelpextension.content.md |  26 +-
 ...plugin-public.chromehelpextension.links.md |  26 +-
 ...ibana-plugin-public.chromehelpextension.md |  42 +-
 ...ublic.chromehelpextensionmenucustomlink.md |  30 +-
 ...blic.chromehelpextensionmenudiscusslink.md |  30 +-
 ...hromehelpextensionmenudocumentationlink.md |  30 +-
 ...ublic.chromehelpextensionmenugithublink.md |  32 +-
 ...ugin-public.chromehelpextensionmenulink.md |  24 +-
 .../kibana-plugin-public.chromenavcontrol.md  |  40 +-
 ...na-plugin-public.chromenavcontrol.mount.md |  22 +-
 ...na-plugin-public.chromenavcontrol.order.md |  22 +-
 .../kibana-plugin-public.chromenavcontrols.md |  70 +--
 ...n-public.chromenavcontrols.registerleft.md |  48 +-
 ...-public.chromenavcontrols.registerright.md |  48 +-
 ...bana-plugin-public.chromenavlink.active.md |  34 +-
 ...ana-plugin-public.chromenavlink.baseurl.md |  26 +-
 ...na-plugin-public.chromenavlink.category.md |  26 +-
 ...na-plugin-public.chromenavlink.disabled.md |  34 +-
 ...plugin-public.chromenavlink.euiicontype.md |  26 +-
 ...bana-plugin-public.chromenavlink.hidden.md |  26 +-
 ...kibana-plugin-public.chromenavlink.icon.md |  26 +-
 .../kibana-plugin-public.chromenavlink.id.md  |  26 +-
 ...n-public.chromenavlink.linktolastsuburl.md |  34 +-
 .../kibana-plugin-public.chromenavlink.md     |  64 +--
 ...ibana-plugin-public.chromenavlink.order.md |  26 +-
 ...-plugin-public.chromenavlink.suburlbase.md |  34 +-
 ...ibana-plugin-public.chromenavlink.title.md |  26 +-
 ...ana-plugin-public.chromenavlink.tooltip.md |  26 +-
 .../kibana-plugin-public.chromenavlink.url.md |  34 +-
 ...links.enableforcedappswitchernavigation.md |  46 +-
 ...kibana-plugin-public.chromenavlinks.get.md |  48 +-
 ...ana-plugin-public.chromenavlinks.getall.md |  34 +-
 ...navlinks.getforceappswitchernavigation_.md |  34 +-
 ...ugin-public.chromenavlinks.getnavlinks_.md |  34 +-
 ...kibana-plugin-public.chromenavlinks.has.md |  48 +-
 .../kibana-plugin-public.chromenavlinks.md    |  54 +--
 ...a-plugin-public.chromenavlinks.showonly.md |  56 +--
 ...ana-plugin-public.chromenavlinks.update.md |  60 +--
 ...in-public.chromenavlinkupdateablefields.md |  24 +-
 ...lugin-public.chromerecentlyaccessed.add.md |  68 +--
 ...lugin-public.chromerecentlyaccessed.get.md |  50 +-
 ...ugin-public.chromerecentlyaccessed.get_.md |  50 +-
 ...na-plugin-public.chromerecentlyaccessed.md |  44 +-
 ...ic.chromerecentlyaccessedhistoryitem.id.md |  22 +-
 ...chromerecentlyaccessedhistoryitem.label.md |  22 +-
 ....chromerecentlyaccessedhistoryitem.link.md |  22 +-
 ...ublic.chromerecentlyaccessedhistoryitem.md |  42 +-
 ...-public.chromestart.addapplicationclass.md |  48 +-
 ...bana-plugin-public.chromestart.doctitle.md |  26 +-
 ...blic.chromestart.getapplicationclasses_.md |  34 +-
 ...ana-plugin-public.chromestart.getbadge_.md |  34 +-
 ...ana-plugin-public.chromestart.getbrand_.md |  34 +-
 ...ugin-public.chromestart.getbreadcrumbs_.md |  34 +-
 ...in-public.chromestart.gethelpextension_.md |  34 +-
 ...ugin-public.chromestart.getiscollapsed_.md |  34 +-
 ...plugin-public.chromestart.getisvisible_.md |  34 +-
 .../kibana-plugin-public.chromestart.md       | 140 +++---
 ...a-plugin-public.chromestart.navcontrols.md |  26 +-
 ...bana-plugin-public.chromestart.navlinks.md |  26 +-
 ...gin-public.chromestart.recentlyaccessed.md |  26 +-
 ...blic.chromestart.removeapplicationclass.md |  48 +-
 ...a-plugin-public.chromestart.setapptitle.md |  48 +-
 ...bana-plugin-public.chromestart.setbadge.md |  48 +-
 ...bana-plugin-public.chromestart.setbrand.md |  78 +--
 ...lugin-public.chromestart.setbreadcrumbs.md |  48 +-
 ...gin-public.chromestart.sethelpextension.md |  48 +-
 ...in-public.chromestart.sethelpsupporturl.md |  48 +-
 ...lugin-public.chromestart.setiscollapsed.md |  48 +-
 ...-plugin-public.chromestart.setisvisible.md |  48 +-
 ...lic.contextsetup.createcontextcontainer.md |  34 +-
 .../kibana-plugin-public.contextsetup.md      | 276 +++++------
 ...ana-plugin-public.coresetup.application.md |  26 +-
 .../kibana-plugin-public.coresetup.context.md |  34 +-
 ...ana-plugin-public.coresetup.fatalerrors.md |  26 +-
 ...lugin-public.coresetup.getstartservices.md |  34 +-
 .../kibana-plugin-public.coresetup.http.md    |  26 +-
 ...lugin-public.coresetup.injectedmetadata.md |  38 +-
 .../public/kibana-plugin-public.coresetup.md  |  64 +--
 ...a-plugin-public.coresetup.notifications.md |  26 +-
 ...bana-plugin-public.coresetup.uisettings.md |  26 +-
 ...ana-plugin-public.corestart.application.md |  26 +-
 .../kibana-plugin-public.corestart.chrome.md  |  26 +-
 ...kibana-plugin-public.corestart.doclinks.md |  26 +-
 ...ana-plugin-public.corestart.fatalerrors.md |  26 +-
 .../kibana-plugin-public.corestart.http.md    |  26 +-
 .../kibana-plugin-public.corestart.i18n.md    |  26 +-
 ...lugin-public.corestart.injectedmetadata.md |  38 +-
 .../public/kibana-plugin-public.corestart.md  |  60 +--
 ...a-plugin-public.corestart.notifications.md |  26 +-
 ...kibana-plugin-public.corestart.overlays.md |  26 +-
 ...na-plugin-public.corestart.savedobjects.md |  26 +-
 ...bana-plugin-public.corestart.uisettings.md |  26 +-
 ...n-public.doclinksstart.doc_link_version.md |  22 +-
 ...ublic.doclinksstart.elastic_website_url.md |  22 +-
 ...ibana-plugin-public.doclinksstart.links.md | 192 ++++----
 .../kibana-plugin-public.doclinksstart.md     |  42 +-
 ...ibana-plugin-public.environmentmode.dev.md |  22 +-
 .../kibana-plugin-public.environmentmode.md   |  42 +-
 ...bana-plugin-public.environmentmode.name.md |  22 +-
 ...bana-plugin-public.environmentmode.prod.md |  22 +-
 .../kibana-plugin-public.errortoastoptions.md |  42 +-
 ...a-plugin-public.errortoastoptions.title.md |  26 +-
 ...n-public.errortoastoptions.toastmessage.md |  26 +-
 .../kibana-plugin-public.fatalerrorinfo.md    |  42 +-
 ...na-plugin-public.fatalerrorinfo.message.md |  22 +-
 ...bana-plugin-public.fatalerrorinfo.stack.md |  22 +-
 ...bana-plugin-public.fatalerrorssetup.add.md |  26 +-
 ...ana-plugin-public.fatalerrorssetup.get_.md |  26 +-
 .../kibana-plugin-public.fatalerrorssetup.md  |  42 +-
 .../kibana-plugin-public.fatalerrorsstart.md  |  26 +-
 ...kibana-plugin-public.handlercontexttype.md |  26 +-
 .../kibana-plugin-public.handlerfunction.md   |  26 +-
 .../kibana-plugin-public.handlerparameters.md |  26 +-
 ...ugin-public.httpfetchoptions.asresponse.md |  26 +-
 ...public.httpfetchoptions.assystemrequest.md |  26 +-
 ...-plugin-public.httpfetchoptions.headers.md |  26 +-
 .../kibana-plugin-public.httpfetchoptions.md  |  48 +-
 ...public.httpfetchoptions.prependbasepath.md |  26 +-
 ...na-plugin-public.httpfetchoptions.query.md |  26 +-
 ...-plugin-public.httpfetchoptionswithpath.md |  40 +-
 ...in-public.httpfetchoptionswithpath.path.md |  22 +-
 .../kibana-plugin-public.httpfetchquery.md    |  24 +-
 .../kibana-plugin-public.httphandler.md       |  26 +-
 .../kibana-plugin-public.httpheadersinit.md   |  26 +-
 .../kibana-plugin-public.httpinterceptor.md   |  46 +-
 ...a-plugin-public.httpinterceptor.request.md |  50 +-
 ...gin-public.httpinterceptor.requesterror.md |  50 +-
 ...-plugin-public.httpinterceptor.response.md |  50 +-
 ...in-public.httpinterceptor.responseerror.md |  50 +-
 ...ublic.httpinterceptorrequesterror.error.md |  22 +-
 ...ttpinterceptorrequesterror.fetchoptions.md |  22 +-
 ...ugin-public.httpinterceptorrequesterror.md |  40 +-
 ...blic.httpinterceptorresponseerror.error.md |  22 +-
 ...gin-public.httpinterceptorresponseerror.md |  40 +-
 ...ic.httpinterceptorresponseerror.request.md |  22 +-
 ...bana-plugin-public.httprequestinit.body.md |  26 +-
 ...ana-plugin-public.httprequestinit.cache.md |  26 +-
 ...ugin-public.httprequestinit.credentials.md |  26 +-
 ...a-plugin-public.httprequestinit.headers.md |  26 +-
 ...plugin-public.httprequestinit.integrity.md |  26 +-
 ...plugin-public.httprequestinit.keepalive.md |  26 +-
 .../kibana-plugin-public.httprequestinit.md   |  64 +--
 ...na-plugin-public.httprequestinit.method.md |  26 +-
 ...bana-plugin-public.httprequestinit.mode.md |  26 +-
 ...-plugin-public.httprequestinit.redirect.md |  26 +-
 ...-plugin-public.httprequestinit.referrer.md |  26 +-
 ...n-public.httprequestinit.referrerpolicy.md |  26 +-
 ...na-plugin-public.httprequestinit.signal.md |  26 +-
 ...na-plugin-public.httprequestinit.window.md |  26 +-
 .../kibana-plugin-public.httpresponse.body.md |  26 +-
 ...plugin-public.httpresponse.fetchoptions.md |  26 +-
 .../kibana-plugin-public.httpresponse.md      |  44 +-
 ...bana-plugin-public.httpresponse.request.md |  26 +-
 ...ana-plugin-public.httpresponse.response.md |  26 +-
 ...-public.httpsetup.addloadingcountsource.md |  48 +-
 ...-plugin-public.httpsetup.anonymouspaths.md |  26 +-
 ...kibana-plugin-public.httpsetup.basepath.md |  26 +-
 .../kibana-plugin-public.httpsetup.delete.md  |  26 +-
 .../kibana-plugin-public.httpsetup.fetch.md   |  26 +-
 .../kibana-plugin-public.httpsetup.get.md     |  26 +-
 ...lugin-public.httpsetup.getloadingcount_.md |  34 +-
 .../kibana-plugin-public.httpsetup.head.md    |  26 +-
 ...ibana-plugin-public.httpsetup.intercept.md |  52 +-
 .../public/kibana-plugin-public.httpsetup.md  |  72 +--
 .../kibana-plugin-public.httpsetup.options.md |  26 +-
 .../kibana-plugin-public.httpsetup.patch.md   |  26 +-
 .../kibana-plugin-public.httpsetup.post.md    |  26 +-
 .../kibana-plugin-public.httpsetup.put.md     |  26 +-
 .../public/kibana-plugin-public.httpstart.md  |  26 +-
 .../kibana-plugin-public.i18nstart.context.md |  30 +-
 .../public/kibana-plugin-public.i18nstart.md  |  40 +-
 ...ugin-public.ianonymouspaths.isanonymous.md |  48 +-
 .../kibana-plugin-public.ianonymouspaths.md   |  42 +-
 ...-plugin-public.ianonymouspaths.register.md |  48 +-
 .../kibana-plugin-public.ibasepath.get.md     |  26 +-
 .../public/kibana-plugin-public.ibasepath.md  |  44 +-
 .../kibana-plugin-public.ibasepath.prepend.md |  26 +-
 .../kibana-plugin-public.ibasepath.remove.md  |  26 +-
 ...-public.icontextcontainer.createhandler.md |  54 +--
 .../kibana-plugin-public.icontextcontainer.md | 160 +++---
 ...ublic.icontextcontainer.registercontext.md |  68 +--
 .../kibana-plugin-public.icontextprovider.md  |  36 +-
 ...bana-plugin-public.ihttpfetcherror.body.md |  22 +-
 .../kibana-plugin-public.ihttpfetcherror.md   |  46 +-
 ...ibana-plugin-public.ihttpfetcherror.req.md |  32 +-
 ...a-plugin-public.ihttpfetcherror.request.md |  22 +-
 ...ibana-plugin-public.ihttpfetcherror.res.md |  32 +-
 ...-plugin-public.ihttpfetcherror.response.md |  22 +-
 ...in-public.ihttpinterceptcontroller.halt.md |  34 +-
 ...-public.ihttpinterceptcontroller.halted.md |  26 +-
 ...-plugin-public.ihttpinterceptcontroller.md |  52 +-
 ....ihttpresponseinterceptoroverrides.body.md |  26 +-
 ...ublic.ihttpresponseinterceptoroverrides.md |  42 +-
 ...tpresponseinterceptoroverrides.response.md |  26 +-
 ...a-plugin-public.imagevalidation.maxsize.md |  28 +-
 .../kibana-plugin-public.imagevalidation.md   |  38 +-
 .../public/kibana-plugin-public.itoasts.md    |  26 +-
 ...ana-plugin-public.iuisettingsclient.get.md |  26 +-
 ...na-plugin-public.iuisettingsclient.get_.md |  26 +-
 ...-plugin-public.iuisettingsclient.getall.md |  26 +-
 ...ugin-public.iuisettingsclient.getsaved_.md |  34 +-
 ...gin-public.iuisettingsclient.getupdate_.md |  34 +-
 ...blic.iuisettingsclient.getupdateerrors_.md |  26 +-
 ...lugin-public.iuisettingsclient.iscustom.md |  26 +-
 ...gin-public.iuisettingsclient.isdeclared.md |  26 +-
 ...ugin-public.iuisettingsclient.isdefault.md |  26 +-
 ...n-public.iuisettingsclient.isoverridden.md |  26 +-
 .../kibana-plugin-public.iuisettingsclient.md |  64 +--
 ....iuisettingsclient.overridelocaldefault.md |  26 +-
 ...-plugin-public.iuisettingsclient.remove.md |  26 +-
 ...ana-plugin-public.iuisettingsclient.set.md |  26 +-
 ...public.legacycoresetup.injectedmetadata.md |  30 +-
 .../kibana-plugin-public.legacycoresetup.md   |  56 +--
 ...public.legacycorestart.injectedmetadata.md |  30 +-
 .../kibana-plugin-public.legacycorestart.md   |  56 +--
 ...na-plugin-public.legacynavlink.category.md |  22 +-
 ...plugin-public.legacynavlink.euiicontype.md |  22 +-
 ...kibana-plugin-public.legacynavlink.icon.md |  22 +-
 .../kibana-plugin-public.legacynavlink.id.md  |  22 +-
 .../kibana-plugin-public.legacynavlink.md     |  50 +-
 ...ibana-plugin-public.legacynavlink.order.md |  22 +-
 ...ibana-plugin-public.legacynavlink.title.md |  22 +-
 .../kibana-plugin-public.legacynavlink.url.md |  22 +-
 .../core/public/kibana-plugin-public.md       | 322 ++++++-------
 .../public/kibana-plugin-public.mountpoint.md |  26 +-
 ...kibana-plugin-public.notificationssetup.md |  38 +-
 ...plugin-public.notificationssetup.toasts.md |  26 +-
 ...kibana-plugin-public.notificationsstart.md |  38 +-
 ...plugin-public.notificationsstart.toasts.md |  26 +-
 ...a-plugin-public.overlaybannersstart.add.md |  54 +--
 ...public.overlaybannersstart.getcomponent.md |  30 +-
 ...ibana-plugin-public.overlaybannersstart.md |  44 +-
 ...lugin-public.overlaybannersstart.remove.md |  52 +-
 ...ugin-public.overlaybannersstart.replace.md |  56 +--
 .../kibana-plugin-public.overlayref.close.md  |  34 +-
 .../public/kibana-plugin-public.overlayref.md |  52 +-
 ...kibana-plugin-public.overlayref.onclose.md |  30 +-
 ...bana-plugin-public.overlaystart.banners.md |  26 +-
 .../kibana-plugin-public.overlaystart.md      |  44 +-
 ...-plugin-public.overlaystart.openconfirm.md |  24 +-
 ...a-plugin-public.overlaystart.openflyout.md |  24 +-
 ...na-plugin-public.overlaystart.openmodal.md |  24 +-
 ...kibana-plugin-public.packageinfo.branch.md |  22 +-
 ...bana-plugin-public.packageinfo.buildnum.md |  22 +-
 ...bana-plugin-public.packageinfo.buildsha.md |  22 +-
 .../kibana-plugin-public.packageinfo.dist.md  |  22 +-
 .../kibana-plugin-public.packageinfo.md       |  46 +-
 ...ibana-plugin-public.packageinfo.version.md |  22 +-
 .../public/kibana-plugin-public.plugin.md     |  44 +-
 .../kibana-plugin-public.plugin.setup.md      |  46 +-
 .../kibana-plugin-public.plugin.start.md      |  46 +-
 .../kibana-plugin-public.plugin.stop.md       |  30 +-
 .../kibana-plugin-public.plugininitializer.md |  26 +-
 ...-public.plugininitializercontext.config.md |  26 +-
 ...gin-public.plugininitializercontext.env.md |  28 +-
 ...-plugin-public.plugininitializercontext.md |  44 +-
 ...ublic.plugininitializercontext.opaqueid.md |  26 +-
 .../kibana-plugin-public.pluginopaqueid.md    |  24 +-
 .../kibana-plugin-public.recursivereadonly.md |  28 +-
 ...na-plugin-public.savedobject.attributes.md |  26 +-
 .../kibana-plugin-public.savedobject.error.md |  28 +-
 .../kibana-plugin-public.savedobject.id.md    |  26 +-
 .../kibana-plugin-public.savedobject.md       |  52 +-
 ...gin-public.savedobject.migrationversion.md |  26 +-
 ...na-plugin-public.savedobject.references.md |  26 +-
 .../kibana-plugin-public.savedobject.type.md  |  26 +-
 ...na-plugin-public.savedobject.updated_at.md |  26 +-
 ...ibana-plugin-public.savedobject.version.md |  26 +-
 ...bana-plugin-public.savedobjectattribute.md |  26 +-
 ...ana-plugin-public.savedobjectattributes.md |  26 +-
 ...lugin-public.savedobjectattributesingle.md |  26 +-
 ...a-plugin-public.savedobjectreference.id.md |  22 +-
 ...bana-plugin-public.savedobjectreference.md |  44 +-
 ...plugin-public.savedobjectreference.name.md |  22 +-
 ...plugin-public.savedobjectreference.type.md |  22 +-
 ...a-plugin-public.savedobjectsbaseoptions.md |  38 +-
 ...ublic.savedobjectsbaseoptions.namespace.md |  26 +-
 ...plugin-public.savedobjectsbatchresponse.md |  38 +-
 ....savedobjectsbatchresponse.savedobjects.md |  22 +-
 ...savedobjectsbulkcreateobject.attributes.md |  22 +-
 ...gin-public.savedobjectsbulkcreateobject.md |  38 +-
 ...ublic.savedobjectsbulkcreateobject.type.md |  22 +-
 ...in-public.savedobjectsbulkcreateoptions.md |  38 +-
 ...savedobjectsbulkcreateoptions.overwrite.md |  26 +-
 ...savedobjectsbulkupdateobject.attributes.md |  22 +-
 ...-public.savedobjectsbulkupdateobject.id.md |  22 +-
 ...gin-public.savedobjectsbulkupdateobject.md |  46 +-
 ...savedobjectsbulkupdateobject.references.md |  22 +-
 ...ublic.savedobjectsbulkupdateobject.type.md |  22 +-
 ...ic.savedobjectsbulkupdateobject.version.md |  22 +-
 ...in-public.savedobjectsbulkupdateoptions.md |  38 +-
 ...savedobjectsbulkupdateoptions.namespace.md |  22 +-
 ...in-public.savedobjectsclient.bulkcreate.md |  26 +-
 ...lugin-public.savedobjectsclient.bulkget.md |  42 +-
 ...in-public.savedobjectsclient.bulkupdate.md |  52 +-
 ...plugin-public.savedobjectsclient.create.md |  26 +-
 ...plugin-public.savedobjectsclient.delete.md |  26 +-
 ...a-plugin-public.savedobjectsclient.find.md |  26 +-
 ...na-plugin-public.savedobjectsclient.get.md |  26 +-
 ...kibana-plugin-public.savedobjectsclient.md |  72 +--
 ...plugin-public.savedobjectsclient.update.md |  56 +--
 ...lugin-public.savedobjectsclientcontract.md |  26 +-
 ...gin-public.savedobjectscreateoptions.id.md |  26 +-
 ...plugin-public.savedobjectscreateoptions.md |  44 +-
 ...edobjectscreateoptions.migrationversion.md |  26 +-
 ...lic.savedobjectscreateoptions.overwrite.md |  26 +-
 ...ic.savedobjectscreateoptions.references.md |  22 +-
 ...bjectsfindoptions.defaultsearchoperator.md |  22 +-
 ...n-public.savedobjectsfindoptions.fields.md |  36 +-
 ...n-public.savedobjectsfindoptions.filter.md |  22 +-
 ...ic.savedobjectsfindoptions.hasreference.md |  28 +-
 ...a-plugin-public.savedobjectsfindoptions.md |  58 +--
 ...gin-public.savedobjectsfindoptions.page.md |  22 +-
 ...-public.savedobjectsfindoptions.perpage.md |  22 +-
 ...n-public.savedobjectsfindoptions.search.md |  26 +-
 ...ic.savedobjectsfindoptions.searchfields.md |  26 +-
 ...ublic.savedobjectsfindoptions.sortfield.md |  22 +-
 ...ublic.savedobjectsfindoptions.sortorder.md |  22 +-
 ...gin-public.savedobjectsfindoptions.type.md |  22 +-
 ...n-public.savedobjectsfindresponsepublic.md |  48 +-
 ...lic.savedobjectsfindresponsepublic.page.md |  22 +-
 ....savedobjectsfindresponsepublic.perpage.md |  22 +-
 ...ic.savedobjectsfindresponsepublic.total.md |  22 +-
 ...-public.savedobjectsimportconflicterror.md |  40 +-
 ...ic.savedobjectsimportconflicterror.type.md |  22 +-
 ...in-public.savedobjectsimporterror.error.md |  22 +-
 ...lugin-public.savedobjectsimporterror.id.md |  22 +-
 ...a-plugin-public.savedobjectsimporterror.md |  46 +-
 ...in-public.savedobjectsimporterror.title.md |  22 +-
 ...gin-public.savedobjectsimporterror.type.md |  22 +-
 ...tsimportmissingreferenceserror.blocking.md |  28 +-
 ...avedobjectsimportmissingreferenceserror.md |  44 +-
 ...importmissingreferenceserror.references.md |  28 +-
 ...bjectsimportmissingreferenceserror.type.md |  22 +-
 ...ublic.savedobjectsimportresponse.errors.md |  22 +-
 ...lugin-public.savedobjectsimportresponse.md |  44 +-
 ...blic.savedobjectsimportresponse.success.md |  22 +-
 ...savedobjectsimportresponse.successcount.md |  22 +-
 ...lugin-public.savedobjectsimportretry.id.md |  22 +-
 ...a-plugin-public.savedobjectsimportretry.md |  46 +-
 ...ublic.savedobjectsimportretry.overwrite.md |  22 +-
 ...vedobjectsimportretry.replacereferences.md |  30 +-
 ...gin-public.savedobjectsimportretry.type.md |  22 +-
 ...n-public.savedobjectsimportunknownerror.md |  44 +-
 ....savedobjectsimportunknownerror.message.md |  22 +-
 ...vedobjectsimportunknownerror.statuscode.md |  22 +-
 ...lic.savedobjectsimportunknownerror.type.md |  22 +-
 ....savedobjectsimportunsupportedtypeerror.md |  40 +-
 ...dobjectsimportunsupportedtypeerror.type.md |  22 +-
 ...gin-public.savedobjectsmigrationversion.md |  36 +-
 ...-plugin-public.savedobjectsstart.client.md |  26 +-
 .../kibana-plugin-public.savedobjectsstart.md |  38 +-
 ...plugin-public.savedobjectsupdateoptions.md |  42 +-
 ...edobjectsupdateoptions.migrationversion.md |  26 +-
 ...ic.savedobjectsupdateoptions.references.md |  22 +-
 ...ublic.savedobjectsupdateoptions.version.md |  22 +-
 ...-public.simplesavedobject._constructor_.md |  42 +-
 ...lugin-public.simplesavedobject._version.md |  22 +-
 ...gin-public.simplesavedobject.attributes.md |  22 +-
 ...-plugin-public.simplesavedobject.delete.md |  30 +-
 ...a-plugin-public.simplesavedobject.error.md |  22 +-
 ...ana-plugin-public.simplesavedobject.get.md |  44 +-
 ...ana-plugin-public.simplesavedobject.has.md |  44 +-
 ...bana-plugin-public.simplesavedobject.id.md |  22 +-
 .../kibana-plugin-public.simplesavedobject.md |  88 ++--
 ...blic.simplesavedobject.migrationversion.md |  22 +-
 ...gin-public.simplesavedobject.references.md |  22 +-
 ...na-plugin-public.simplesavedobject.save.md |  30 +-
 ...ana-plugin-public.simplesavedobject.set.md |  46 +-
 ...na-plugin-public.simplesavedobject.type.md |  22 +-
 .../kibana-plugin-public.stringvalidation.md  |  26 +-
 ...ana-plugin-public.stringvalidationregex.md |  42 +-
 ...in-public.stringvalidationregex.message.md |  22 +-
 ...ugin-public.stringvalidationregex.regex.md |  22 +-
 ...ugin-public.stringvalidationregexstring.md |  42 +-
 ...lic.stringvalidationregexstring.message.md |  22 +-
 ...stringvalidationregexstring.regexstring.md |  22 +-
 .../core/public/kibana-plugin-public.toast.md |  26 +-
 .../public/kibana-plugin-public.toastinput.md |  26 +-
 .../kibana-plugin-public.toastinputfields.md  |  42 +-
 ...a-plugin-public.toastsapi._constructor_.md |  44 +-
 .../kibana-plugin-public.toastsapi.add.md     |  52 +-
 ...ibana-plugin-public.toastsapi.adddanger.md |  52 +-
 ...kibana-plugin-public.toastsapi.adderror.md |  54 +--
 ...bana-plugin-public.toastsapi.addsuccess.md |  52 +-
 ...bana-plugin-public.toastsapi.addwarning.md |  52 +-
 .../kibana-plugin-public.toastsapi.get_.md    |  34 +-
 .../public/kibana-plugin-public.toastsapi.md  |  64 +--
 .../kibana-plugin-public.toastsapi.remove.md  |  48 +-
 .../kibana-plugin-public.toastssetup.md       |  26 +-
 .../kibana-plugin-public.toastsstart.md       |  26 +-
 ...plugin-public.uisettingsparams.category.md |  26 +-
 ...gin-public.uisettingsparams.deprecation.md |  26 +-
 ...gin-public.uisettingsparams.description.md |  26 +-
 .../kibana-plugin-public.uisettingsparams.md  |  60 +--
 ...ana-plugin-public.uisettingsparams.name.md |  26 +-
 ...in-public.uisettingsparams.optionlabels.md |  26 +-
 ...-plugin-public.uisettingsparams.options.md |  26 +-
 ...plugin-public.uisettingsparams.readonly.md |  26 +-
 ...lic.uisettingsparams.requirespagereload.md |  26 +-
 ...ana-plugin-public.uisettingsparams.type.md |  26 +-
 ...ugin-public.uisettingsparams.validation.md |  22 +-
 ...na-plugin-public.uisettingsparams.value.md |  26 +-
 .../kibana-plugin-public.uisettingsstate.md   |  24 +-
 .../kibana-plugin-public.uisettingstype.md    |  26 +-
 .../kibana-plugin-public.unmountcallback.md   |  26 +-
 ...-public.userprovidedvalues.isoverridden.md |  22 +-
 ...kibana-plugin-public.userprovidedvalues.md |  42 +-
 ...gin-public.userprovidedvalues.uservalue.md |  22 +-
 docs/development/core/server/index.md         |  24 +-
 .../server/kibana-plugin-server.apicaller.md  |  24 +-
 ...in-server.assistanceapiresponse.indices.md |  30 +-
 ...ana-plugin-server.assistanceapiresponse.md |  38 +-
 ...-plugin-server.assistantapiclientparams.md |  40 +-
 ...-server.assistantapiclientparams.method.md |  22 +-
 ...in-server.assistantapiclientparams.path.md |  22 +-
 .../kibana-plugin-server.authenticated.md     |  38 +-
 ...kibana-plugin-server.authenticated.type.md |  22 +-
 ...ana-plugin-server.authenticationhandler.md |  26 +-
 .../kibana-plugin-server.authheaders.md       |  26 +-
 .../server/kibana-plugin-server.authresult.md |  24 +-
 .../kibana-plugin-server.authresultparams.md  |  44 +-
 ...-server.authresultparams.requestheaders.md |  26 +-
 ...server.authresultparams.responseheaders.md |  26 +-
 ...na-plugin-server.authresultparams.state.md |  26 +-
 .../kibana-plugin-server.authresulttype.md    |  38 +-
 .../server/kibana-plugin-server.authstatus.md |  44 +-
 ...plugin-server.authtoolkit.authenticated.md |  26 +-
 .../kibana-plugin-server.authtoolkit.md       |  40 +-
 .../kibana-plugin-server.basepath.get.md      |  26 +-
 .../server/kibana-plugin-server.basepath.md   |  56 +--
 .../kibana-plugin-server.basepath.prepend.md  |  26 +-
 .../kibana-plugin-server.basepath.remove.md   |  26 +-
 ...a-plugin-server.basepath.serverbasepath.md |  30 +-
 .../kibana-plugin-server.basepath.set.md      |  26 +-
 .../kibana-plugin-server.callapioptions.md    |  42 +-
 ...ana-plugin-server.callapioptions.signal.md |  26 +-
 ...gin-server.callapioptions.wrap401errors.md |  26 +-
 ...na-plugin-server.capabilities.catalogue.md |  26 +-
 ...a-plugin-server.capabilities.management.md |  30 +-
 .../kibana-plugin-server.capabilities.md      |  44 +-
 ...ana-plugin-server.capabilities.navlinks.md |  26 +-
 ...bana-plugin-server.capabilitiesprovider.md |  26 +-
 .../kibana-plugin-server.capabilitiessetup.md |  54 +--
 ...rver.capabilitiessetup.registerprovider.md |  92 ++--
 ...rver.capabilitiessetup.registerswitcher.md |  94 ++--
 .../kibana-plugin-server.capabilitiesstart.md |  40 +-
 ...r.capabilitiesstart.resolvecapabilities.md |  48 +-
 ...bana-plugin-server.capabilitiesswitcher.md |  26 +-
 ...ugin-server.clusterclient._constructor_.md |  44 +-
 ...na-plugin-server.clusterclient.asscoped.md |  48 +-
 ...server.clusterclient.callasinternaluser.md |  26 +-
 ...ibana-plugin-server.clusterclient.close.md |  34 +-
 .../kibana-plugin-server.clusterclient.md     |  70 +--
 .../kibana-plugin-server.configdeprecation.md |  36 +-
 ...-plugin-server.configdeprecationfactory.md |  72 +--
 ...-server.configdeprecationfactory.rename.md |  72 +--
 ...configdeprecationfactory.renamefromroot.md |  76 +--
 ...-server.configdeprecationfactory.unused.md |  70 +--
 ...configdeprecationfactory.unusedfromroot.md |  74 +--
 ...a-plugin-server.configdeprecationlogger.md |  26 +-
 ...plugin-server.configdeprecationprovider.md |  56 +--
 .../server/kibana-plugin-server.configpath.md |  24 +-
 ...ver.contextsetup.createcontextcontainer.md |  34 +-
 .../kibana-plugin-server.contextsetup.md      | 276 +++++------
 ...na-plugin-server.coresetup.capabilities.md |  26 +-
 .../kibana-plugin-server.coresetup.context.md |  26 +-
 ...a-plugin-server.coresetup.elasticsearch.md |  26 +-
 ...lugin-server.coresetup.getstartservices.md |  34 +-
 .../kibana-plugin-server.coresetup.http.md    |  26 +-
 .../server/kibana-plugin-server.coresetup.md  |  64 +--
 ...na-plugin-server.coresetup.savedobjects.md |  26 +-
 ...bana-plugin-server.coresetup.uisettings.md |  26 +-
 .../kibana-plugin-server.coresetup.uuid.md    |  26 +-
 ...na-plugin-server.corestart.capabilities.md |  26 +-
 .../server/kibana-plugin-server.corestart.md  |  44 +-
 ...na-plugin-server.corestart.savedobjects.md |  26 +-
 ...bana-plugin-server.corestart.uisettings.md |  26 +-
 .../kibana-plugin-server.cspconfig.default.md |  22 +-
 .../kibana-plugin-server.cspconfig.header.md  |  22 +-
 .../server/kibana-plugin-server.cspconfig.md  |  56 +--
 .../kibana-plugin-server.cspconfig.rules.md   |  22 +-
 .../kibana-plugin-server.cspconfig.strict.md  |  22 +-
 ...gin-server.cspconfig.warnlegacybrowsers.md |  22 +-
 ...n-server.customhttpresponseoptions.body.md |  26 +-
 ...erver.customhttpresponseoptions.headers.md |  26 +-
 ...plugin-server.customhttpresponseoptions.md |  44 +-
 ...er.customhttpresponseoptions.statuscode.md |  22 +-
 ...lugin-server.deprecationapiclientparams.md |  40 +-
 ...erver.deprecationapiclientparams.method.md |  22 +-
 ...-server.deprecationapiclientparams.path.md |  22 +-
 ...deprecationapiresponse.cluster_settings.md |  22 +-
 ...r.deprecationapiresponse.index_settings.md |  22 +-
 ...na-plugin-server.deprecationapiresponse.md |  44 +-
 ...rver.deprecationapiresponse.ml_settings.md |  22 +-
 ...er.deprecationapiresponse.node_settings.md |  22 +-
 ...a-plugin-server.deprecationinfo.details.md |  22 +-
 ...ana-plugin-server.deprecationinfo.level.md |  22 +-
 .../kibana-plugin-server.deprecationinfo.md   |  44 +-
 ...a-plugin-server.deprecationinfo.message.md |  22 +-
 ...ibana-plugin-server.deprecationinfo.url.md |  22 +-
 ...-server.deprecationsettings.doclinkskey.md |  26 +-
 ...ibana-plugin-server.deprecationsettings.md |  42 +-
 ...ugin-server.deprecationsettings.message.md |  26 +-
 ...ugin-server.discoveredplugin.configpath.md |  26 +-
 ...ibana-plugin-server.discoveredplugin.id.md |  26 +-
 .../kibana-plugin-server.discoveredplugin.md  |  46 +-
 ...server.discoveredplugin.optionalplugins.md |  26 +-
 ...server.discoveredplugin.requiredplugins.md |  26 +-
 ...plugin-server.elasticsearchclientconfig.md |  34 +-
 ...plugin-server.elasticsearcherror._code_.md |  22 +-
 ...kibana-plugin-server.elasticsearcherror.md |  38 +-
 ...errorhelpers.decoratenotauthorizederror.md |  46 +-
 ...searcherrorhelpers.isnotauthorizederror.md |  44 +-
 ...plugin-server.elasticsearcherrorhelpers.md |  70 +--
 ...r.elasticsearchservicesetup.adminclient.md |  44 +-
 ....elasticsearchservicesetup.createclient.md |  46 +-
 ...er.elasticsearchservicesetup.dataclient.md |  44 +-
 ...plugin-server.elasticsearchservicesetup.md |  42 +-
 ...ibana-plugin-server.environmentmode.dev.md |  22 +-
 .../kibana-plugin-server.environmentmode.md   |  42 +-
 ...bana-plugin-server.environmentmode.name.md |  22 +-
 ...bana-plugin-server.environmentmode.prod.md |  22 +-
 ...in-server.errorhttpresponseoptions.body.md |  26 +-
 ...server.errorhttpresponseoptions.headers.md |  26 +-
 ...-plugin-server.errorhttpresponseoptions.md |  42 +-
 ...ibana-plugin-server.fakerequest.headers.md |  26 +-
 .../kibana-plugin-server.fakerequest.md       |  40 +-
 .../kibana-plugin-server.getauthheaders.md    |  26 +-
 .../kibana-plugin-server.getauthstate.md      |  32 +-
 ...kibana-plugin-server.handlercontexttype.md |  26 +-
 .../kibana-plugin-server.handlerfunction.md   |  26 +-
 .../kibana-plugin-server.handlerparameters.md |  26 +-
 .../server/kibana-plugin-server.headers.md    |  34 +-
 ...-plugin-server.httpresponseoptions.body.md |  26 +-
 ...ugin-server.httpresponseoptions.headers.md |  26 +-
 ...ibana-plugin-server.httpresponseoptions.md |  42 +-
 ...ibana-plugin-server.httpresponsepayload.md |  26 +-
 ...ana-plugin-server.httpservicesetup.auth.md |  28 +-
 ...plugin-server.httpservicesetup.basepath.md |  26 +-
 ...setup.createcookiesessionstoragefactory.md |  26 +-
 ...in-server.httpservicesetup.createrouter.md |  56 +--
 ...bana-plugin-server.httpservicesetup.csp.md |  26 +-
 ...in-server.httpservicesetup.istlsenabled.md |  26 +-
 .../kibana-plugin-server.httpservicesetup.md  | 190 ++++----
 ...in-server.httpservicesetup.registerauth.md |  36 +-
 ...ver.httpservicesetup.registeronpostauth.md |  36 +-
 ...rver.httpservicesetup.registeronpreauth.md |  36 +-
 ....httpservicesetup.registeronpreresponse.md |  36 +-
 ...ervicesetup.registerroutehandlercontext.md |  74 +--
 ...gin-server.httpservicestart.islistening.md |  26 +-
 .../kibana-plugin-server.httpservicestart.md  |  38 +-
 .../server/kibana-plugin-server.ibasepath.md  |  30 +-
 .../kibana-plugin-server.iclusterclient.md    |  30 +-
 ...-server.icontextcontainer.createhandler.md |  54 +--
 .../kibana-plugin-server.icontextcontainer.md | 160 +++---
 ...erver.icontextcontainer.registercontext.md |  68 +--
 .../kibana-plugin-server.icontextprovider.md  |  36 +-
 .../kibana-plugin-server.icspconfig.header.md |  26 +-
 .../server/kibana-plugin-server.icspconfig.md |  46 +-
 .../kibana-plugin-server.icspconfig.rules.md  |  26 +-
 .../kibana-plugin-server.icspconfig.strict.md |  26 +-
 ...in-server.icspconfig.warnlegacybrowsers.md |  26 +-
 ...bana-plugin-server.icustomclusterclient.md |  30 +-
 .../kibana-plugin-server.ikibanaresponse.md   |  44 +-
 ...a-plugin-server.ikibanaresponse.options.md |  22 +-
 ...a-plugin-server.ikibanaresponse.payload.md |  22 +-
 ...na-plugin-server.ikibanaresponse.status.md |  22 +-
 ...server.ikibanasocket.authorizationerror.md |  26 +-
 ...-plugin-server.ikibanasocket.authorized.md |  26 +-
 ...server.ikibanasocket.getpeercertificate.md |  44 +-
 ...rver.ikibanasocket.getpeercertificate_1.md |  44 +-
 ...rver.ikibanasocket.getpeercertificate_2.md |  52 +-
 .../kibana-plugin-server.ikibanasocket.md     |  58 +--
 ...a-plugin-server.imagevalidation.maxsize.md |  28 +-
 .../kibana-plugin-server.imagevalidation.md   |  38 +-
 ...gin-server.indexsettingsdeprecationinfo.md |  24 +-
 ...rver.irenderoptions.includeusersettings.md |  26 +-
 .../kibana-plugin-server.irenderoptions.md    |  38 +-
 .../kibana-plugin-server.irouter.delete.md    |  26 +-
 .../kibana-plugin-server.irouter.get.md       |  26 +-
 ...lugin-server.irouter.handlelegacyerrors.md |  26 +-
 .../server/kibana-plugin-server.irouter.md    |  52 +-
 .../kibana-plugin-server.irouter.patch.md     |  26 +-
 .../kibana-plugin-server.irouter.post.md      |  26 +-
 .../kibana-plugin-server.irouter.put.md       |  26 +-
 ...kibana-plugin-server.irouter.routerpath.md |  26 +-
 .../kibana-plugin-server.isauthenticated.md   |  26 +-
 ...a-plugin-server.isavedobjectsrepository.md |  26 +-
 ...bana-plugin-server.iscopedclusterclient.md |  30 +-
 ...na-plugin-server.iscopedrenderingclient.md |  38 +-
 ...in-server.iscopedrenderingclient.render.md |  82 ++--
 ...ana-plugin-server.iuisettingsclient.get.md |  26 +-
 ...-plugin-server.iuisettingsclient.getall.md |  26 +-
 ...-server.iuisettingsclient.getregistered.md |  26 +-
 ...erver.iuisettingsclient.getuserprovided.md |  26 +-
 ...n-server.iuisettingsclient.isoverridden.md |  26 +-
 .../kibana-plugin-server.iuisettingsclient.md |  56 +--
 ...-plugin-server.iuisettingsclient.remove.md |  26 +-
 ...gin-server.iuisettingsclient.removemany.md |  26 +-
 ...ana-plugin-server.iuisettingsclient.set.md |  26 +-
 ...plugin-server.iuisettingsclient.setmany.md |  26 +-
 ...ugin-server.kibanarequest._constructor_.md |  48 +-
 ...kibana-plugin-server.kibanarequest.body.md |  22 +-
 ...bana-plugin-server.kibanarequest.events.md |  26 +-
 ...ana-plugin-server.kibanarequest.headers.md |  36 +-
 ...in-server.kibanarequest.issystemrequest.md |  26 +-
 .../kibana-plugin-server.kibanarequest.md     |  68 +--
 ...bana-plugin-server.kibanarequest.params.md |  22 +-
 ...ibana-plugin-server.kibanarequest.query.md |  22 +-
 ...ibana-plugin-server.kibanarequest.route.md |  26 +-
 ...bana-plugin-server.kibanarequest.socket.md |  26 +-
 .../kibana-plugin-server.kibanarequest.url.md |  26 +-
 ...gin-server.kibanarequestevents.aborted_.md |  26 +-
 ...ibana-plugin-server.kibanarequestevents.md |  40 +-
 ...kibana-plugin-server.kibanarequestroute.md |  44 +-
 ...plugin-server.kibanarequestroute.method.md |  22 +-
 ...lugin-server.kibanarequestroute.options.md |  22 +-
 ...a-plugin-server.kibanarequestroute.path.md |  22 +-
 ...plugin-server.kibanarequestrouteoptions.md |  26 +-
 ...ana-plugin-server.kibanaresponsefactory.md | 236 ++++-----
 .../kibana-plugin-server.knownheaders.md      |  26 +-
 .../kibana-plugin-server.legacyrequest.md     |  32 +-
 ...ugin-server.legacyservicesetupdeps.core.md |  22 +-
 ...na-plugin-server.legacyservicesetupdeps.md |  46 +-
 ...n-server.legacyservicesetupdeps.plugins.md |  22 +-
 ...ugin-server.legacyservicestartdeps.core.md |  22 +-
 ...na-plugin-server.legacyservicestartdeps.md |  46 +-
 ...n-server.legacyservicestartdeps.plugins.md |  22 +-
 ...-plugin-server.lifecycleresponsefactory.md |  26 +-
 .../kibana-plugin-server.logger.debug.md      |  50 +-
 .../kibana-plugin-server.logger.error.md      |  50 +-
 .../kibana-plugin-server.logger.fatal.md      |  50 +-
 .../server/kibana-plugin-server.logger.get.md |  66 +--
 .../kibana-plugin-server.logger.info.md       |  50 +-
 .../server/kibana-plugin-server.logger.md     |  52 +-
 .../kibana-plugin-server.logger.trace.md      |  50 +-
 .../kibana-plugin-server.logger.warn.md       |  50 +-
 .../kibana-plugin-server.loggerfactory.get.md |  48 +-
 .../kibana-plugin-server.loggerfactory.md     |  40 +-
 .../server/kibana-plugin-server.logmeta.md    |  26 +-
 .../core/server/kibana-plugin-server.md       | 456 +++++++++---------
 ...erver.migration_assistance_index_action.md |  24 +-
 ...ugin-server.migration_deprecation_level.md |  24 +-
 ...-server.mutatingoperationrefreshsetting.md |  26 +-
 .../kibana-plugin-server.onpostauthhandler.md |  26 +-
 .../kibana-plugin-server.onpostauthtoolkit.md |  40 +-
 ...na-plugin-server.onpostauthtoolkit.next.md |  26 +-
 .../kibana-plugin-server.onpreauthhandler.md  |  26 +-
 .../kibana-plugin-server.onpreauthtoolkit.md  |  42 +-
 ...ana-plugin-server.onpreauthtoolkit.next.md |  26 +-
 ...ugin-server.onpreauthtoolkit.rewriteurl.md |  26 +-
 ...-server.onpreresponseextensions.headers.md |  26 +-
 ...a-plugin-server.onpreresponseextensions.md |  40 +-
 ...bana-plugin-server.onpreresponsehandler.md |  26 +-
 .../kibana-plugin-server.onpreresponseinfo.md |  40 +-
 ...gin-server.onpreresponseinfo.statuscode.md |  22 +-
 ...bana-plugin-server.onpreresponsetoolkit.md |  40 +-
 ...plugin-server.onpreresponsetoolkit.next.md |  26 +-
 ...kibana-plugin-server.packageinfo.branch.md |  22 +-
 ...bana-plugin-server.packageinfo.buildnum.md |  22 +-
 ...bana-plugin-server.packageinfo.buildsha.md |  22 +-
 .../kibana-plugin-server.packageinfo.dist.md  |  22 +-
 .../kibana-plugin-server.packageinfo.md       |  46 +-
 ...ibana-plugin-server.packageinfo.version.md |  22 +-
 .../server/kibana-plugin-server.plugin.md     |  44 +-
 .../kibana-plugin-server.plugin.setup.md      |  46 +-
 .../kibana-plugin-server.plugin.start.md      |  46 +-
 .../kibana-plugin-server.plugin.stop.md       |  30 +-
 ...ver.pluginconfigdescriptor.deprecations.md |  26 +-
 ....pluginconfigdescriptor.exposetobrowser.md |  30 +-
 ...na-plugin-server.pluginconfigdescriptor.md | 100 ++--
 ...in-server.pluginconfigdescriptor.schema.md |  30 +-
 ...kibana-plugin-server.pluginconfigschema.md |  26 +-
 .../kibana-plugin-server.plugininitializer.md |  26 +-
 ...-server.plugininitializercontext.config.md |  34 +-
 ...gin-server.plugininitializercontext.env.md |  28 +-
 ...-server.plugininitializercontext.logger.md |  22 +-
 ...-plugin-server.plugininitializercontext.md |  46 +-
 ...erver.plugininitializercontext.opaqueid.md |  22 +-
 ...plugin-server.pluginmanifest.configpath.md |  36 +-
 .../kibana-plugin-server.pluginmanifest.id.md |  26 +-
 ...gin-server.pluginmanifest.kibanaversion.md |  26 +-
 .../kibana-plugin-server.pluginmanifest.md    |  62 +--
 ...n-server.pluginmanifest.optionalplugins.md |  26 +-
 ...n-server.pluginmanifest.requiredplugins.md |  26 +-
 ...ana-plugin-server.pluginmanifest.server.md |  26 +-
 .../kibana-plugin-server.pluginmanifest.ui.md |  26 +-
 ...na-plugin-server.pluginmanifest.version.md |  26 +-
 .../server/kibana-plugin-server.pluginname.md |  26 +-
 .../kibana-plugin-server.pluginopaqueid.md    |  24 +-
 ...in-server.pluginsservicesetup.contracts.md |  22 +-
 ...ibana-plugin-server.pluginsservicesetup.md |  40 +-
 ...in-server.pluginsservicesetup.uiplugins.md |  30 +-
 ...in-server.pluginsservicestart.contracts.md |  22 +-
 ...ibana-plugin-server.pluginsservicestart.md |  38 +-
 .../kibana-plugin-server.recursivereadonly.md |  28 +-
 ...a-plugin-server.redirectresponseoptions.md |  34 +-
 .../kibana-plugin-server.requesthandler.md    |  84 ++--
 ...lugin-server.requesthandlercontext.core.md |  46 +-
 ...ana-plugin-server.requesthandlercontext.md |  44 +-
 ...n-server.requesthandlercontextcontainer.md |  26 +-
 ...in-server.requesthandlercontextprovider.md |  26 +-
 .../kibana-plugin-server.responseerror.md     |  32 +-
 ...a-plugin-server.responseerrorattributes.md |  26 +-
 .../kibana-plugin-server.responseheaders.md   |  34 +-
 .../kibana-plugin-server.routeconfig.md       |  44 +-
 ...ibana-plugin-server.routeconfig.options.md |  26 +-
 .../kibana-plugin-server.routeconfig.path.md  |  36 +-
 ...bana-plugin-server.routeconfig.validate.md | 124 ++---
 ...-server.routeconfigoptions.authrequired.md |  30 +-
 ...a-plugin-server.routeconfigoptions.body.md |  26 +-
 ...kibana-plugin-server.routeconfigoptions.md |  44 +-
 ...a-plugin-server.routeconfigoptions.tags.md |  26 +-
 ...n-server.routeconfigoptionsbody.accepts.md |  30 +-
 ...-server.routeconfigoptionsbody.maxbytes.md |  30 +-
 ...na-plugin-server.routeconfigoptionsbody.md |  46 +-
 ...in-server.routeconfigoptionsbody.output.md |  30 +-
 ...gin-server.routeconfigoptionsbody.parse.md |  30 +-
 .../kibana-plugin-server.routecontenttype.md  |  26 +-
 .../kibana-plugin-server.routemethod.md       |  26 +-
 .../kibana-plugin-server.routeregistrar.md    |  26 +-
 ...rver.routevalidationerror._constructor_.md |  42 +-
 ...bana-plugin-server.routevalidationerror.md |  40 +-
 ...a-plugin-server.routevalidationfunction.md |  84 ++--
 ...routevalidationresultfactory.badrequest.md |  26 +-
 ...gin-server.routevalidationresultfactory.md |  46 +-
 ...-server.routevalidationresultfactory.ok.md |  26 +-
 ...ibana-plugin-server.routevalidationspec.md |  30 +-
 ...plugin-server.routevalidatorconfig.body.md |  26 +-
 ...bana-plugin-server.routevalidatorconfig.md |  44 +-
 ...ugin-server.routevalidatorconfig.params.md |  26 +-
 ...lugin-server.routevalidatorconfig.query.md |  26 +-
 ...-plugin-server.routevalidatorfullconfig.md |  26 +-
 ...ana-plugin-server.routevalidatoroptions.md |  40 +-
 ...gin-server.routevalidatoroptions.unsafe.md |  34 +-
 ...na-plugin-server.savedobject.attributes.md |  26 +-
 .../kibana-plugin-server.savedobject.error.md |  28 +-
 .../kibana-plugin-server.savedobject.id.md    |  26 +-
 .../kibana-plugin-server.savedobject.md       |  52 +-
 ...gin-server.savedobject.migrationversion.md |  26 +-
 ...na-plugin-server.savedobject.references.md |  26 +-
 .../kibana-plugin-server.savedobject.type.md  |  26 +-
 ...na-plugin-server.savedobject.updated_at.md |  26 +-
 ...ibana-plugin-server.savedobject.version.md |  26 +-
 ...bana-plugin-server.savedobjectattribute.md |  26 +-
 ...ana-plugin-server.savedobjectattributes.md |  26 +-
 ...lugin-server.savedobjectattributesingle.md |  26 +-
 ...a-plugin-server.savedobjectreference.id.md |  22 +-
 ...bana-plugin-server.savedobjectreference.md |  44 +-
 ...plugin-server.savedobjectreference.name.md |  22 +-
 ...plugin-server.savedobjectreference.type.md |  22 +-
 ...a-plugin-server.savedobjectsbaseoptions.md |  38 +-
 ...erver.savedobjectsbaseoptions.namespace.md |  26 +-
 ...savedobjectsbulkcreateobject.attributes.md |  22 +-
 ...-server.savedobjectsbulkcreateobject.id.md |  22 +-
 ...gin-server.savedobjectsbulkcreateobject.md |  46 +-
 ...bjectsbulkcreateobject.migrationversion.md |  26 +-
 ...savedobjectsbulkcreateobject.references.md |  22 +-
 ...erver.savedobjectsbulkcreateobject.type.md |  22 +-
 ...server.savedobjectsbulkgetobject.fields.md |  26 +-
 ...gin-server.savedobjectsbulkgetobject.id.md |  22 +-
 ...plugin-server.savedobjectsbulkgetobject.md |  42 +-
 ...n-server.savedobjectsbulkgetobject.type.md |  22 +-
 ...-plugin-server.savedobjectsbulkresponse.md |  38 +-
 ....savedobjectsbulkresponse.saved_objects.md |  22 +-
 ...savedobjectsbulkupdateobject.attributes.md |  26 +-
 ...-server.savedobjectsbulkupdateobject.id.md |  26 +-
 ...gin-server.savedobjectsbulkupdateobject.md |  42 +-
 ...erver.savedobjectsbulkupdateobject.type.md |  26 +-
 ...in-server.savedobjectsbulkupdateoptions.md |  38 +-
 ...r.savedobjectsbulkupdateoptions.refresh.md |  26 +-
 ...n-server.savedobjectsbulkupdateresponse.md |  38 +-
 ...objectsbulkupdateresponse.saved_objects.md |  22 +-
 ...in-server.savedobjectsclient.bulkcreate.md |  50 +-
 ...lugin-server.savedobjectsclient.bulkget.md |  58 +--
 ...in-server.savedobjectsclient.bulkupdate.md |  50 +-
 ...plugin-server.savedobjectsclient.create.md |  52 +-
 ...plugin-server.savedobjectsclient.delete.md |  52 +-
 ...plugin-server.savedobjectsclient.errors.md |  22 +-
 ...a-plugin-server.savedobjectsclient.find.md |  48 +-
 ...na-plugin-server.savedobjectsclient.get.md |  52 +-
 ...kibana-plugin-server.savedobjectsclient.md |  72 +--
 ...plugin-server.savedobjectsclient.update.md |  54 +--
 ...lugin-server.savedobjectsclientcontract.md |  86 ++--
 ...plugin-server.savedobjectsclientfactory.md |  30 +-
 ...erver.savedobjectsclientfactoryprovider.md |  26 +-
 ...sclientprovideroptions.excludedwrappers.md |  22 +-
 ...erver.savedobjectsclientprovideroptions.md |  40 +-
 ...server.savedobjectsclientwrapperfactory.md |  26 +-
 ...savedobjectsclientwrapperoptions.client.md |  22 +-
 ...server.savedobjectsclientwrapperoptions.md |  42 +-
 ...avedobjectsclientwrapperoptions.request.md |  22 +-
 ...gin-server.savedobjectscreateoptions.id.md |  26 +-
 ...plugin-server.savedobjectscreateoptions.md |  46 +-
 ...edobjectscreateoptions.migrationversion.md |  26 +-
 ...ver.savedobjectscreateoptions.overwrite.md |  26 +-
 ...er.savedobjectscreateoptions.references.md |  22 +-
 ...erver.savedobjectscreateoptions.refresh.md |  26 +-
 ...er.savedobjectsdeletebynamespaceoptions.md |  38 +-
 ...objectsdeletebynamespaceoptions.refresh.md |  26 +-
 ...plugin-server.savedobjectsdeleteoptions.md |  38 +-
 ...erver.savedobjectsdeleteoptions.refresh.md |  26 +-
 ...jectserrorhelpers.createbadrequesterror.md |  44 +-
 ...rorhelpers.createesautocreateindexerror.md |  30 +-
 ...errorhelpers.creategenericnotfounderror.md |  46 +-
 ...serrorhelpers.createinvalidversionerror.md |  44 +-
 ...errorhelpers.createunsupportedtypeerror.md |  44 +-
 ...ctserrorhelpers.decoratebadrequesterror.md |  46 +-
 ...jectserrorhelpers.decorateconflicterror.md |  46 +-
 ...errorhelpers.decorateesunavailableerror.md |  46 +-
 ...ectserrorhelpers.decorateforbiddenerror.md |  46 +-
 ...bjectserrorhelpers.decorategeneralerror.md |  46 +-
 ...errorhelpers.decoratenotauthorizederror.md |  46 +-
 ...pers.decoraterequestentitytoolargeerror.md |  46 +-
 ...edobjectserrorhelpers.isbadrequesterror.md |  44 +-
 ...avedobjectserrorhelpers.isconflicterror.md |  44 +-
 ...tserrorhelpers.isesautocreateindexerror.md |  44 +-
 ...bjectserrorhelpers.isesunavailableerror.md |  44 +-
 ...vedobjectserrorhelpers.isforbiddenerror.md |  44 +-
 ...jectserrorhelpers.isinvalidversionerror.md |  44 +-
 ...bjectserrorhelpers.isnotauthorizederror.md |  44 +-
 ...avedobjectserrorhelpers.isnotfounderror.md |  44 +-
 ...rorhelpers.isrequestentitytoolargeerror.md |  44 +-
 ...serrorhelpers.issavedobjectsclienterror.md |  44 +-
 ...-plugin-server.savedobjectserrorhelpers.md |  80 +--
 ...jectsexportoptions.excludeexportdetails.md |  26 +-
 ...vedobjectsexportoptions.exportsizelimit.md |  26 +-
 ...ectsexportoptions.includereferencesdeep.md |  26 +-
 ...plugin-server.savedobjectsexportoptions.md |  54 +--
 ...ver.savedobjectsexportoptions.namespace.md |  26 +-
 ...erver.savedobjectsexportoptions.objects.md |  32 +-
 ...objectsexportoptions.savedobjectsclient.md |  26 +-
 ...server.savedobjectsexportoptions.search.md |  26 +-
 ...-server.savedobjectsexportoptions.types.md |  26 +-
 ...bjectsexportresultdetails.exportedcount.md |  26 +-
 ...-server.savedobjectsexportresultdetails.md |  44 +-
 ...ectsexportresultdetails.missingrefcount.md |  26 +-
 ...tsexportresultdetails.missingreferences.md |  32 +-
 ...bjectsfindoptions.defaultsearchoperator.md |  22 +-
 ...n-server.savedobjectsfindoptions.fields.md |  36 +-
 ...n-server.savedobjectsfindoptions.filter.md |  22 +-
 ...er.savedobjectsfindoptions.hasreference.md |  28 +-
 ...a-plugin-server.savedobjectsfindoptions.md |  58 +--
 ...gin-server.savedobjectsfindoptions.page.md |  22 +-
 ...-server.savedobjectsfindoptions.perpage.md |  22 +-
 ...n-server.savedobjectsfindoptions.search.md |  26 +-
 ...er.savedobjectsfindoptions.searchfields.md |  26 +-
 ...erver.savedobjectsfindoptions.sortfield.md |  22 +-
 ...erver.savedobjectsfindoptions.sortorder.md |  22 +-
 ...gin-server.savedobjectsfindoptions.type.md |  22 +-
 ...-plugin-server.savedobjectsfindresponse.md |  50 +-
 ...in-server.savedobjectsfindresponse.page.md |  22 +-
 ...erver.savedobjectsfindresponse.per_page.md |  22 +-
 ....savedobjectsfindresponse.saved_objects.md |  22 +-
 ...n-server.savedobjectsfindresponse.total.md |  22 +-
 ...-server.savedobjectsimportconflicterror.md |  40 +-
 ...er.savedobjectsimportconflicterror.type.md |  22 +-
 ...in-server.savedobjectsimporterror.error.md |  22 +-
 ...lugin-server.savedobjectsimporterror.id.md |  22 +-
 ...a-plugin-server.savedobjectsimporterror.md |  46 +-
 ...in-server.savedobjectsimporterror.title.md |  22 +-
 ...gin-server.savedobjectsimporterror.type.md |  22 +-
 ...tsimportmissingreferenceserror.blocking.md |  28 +-
 ...avedobjectsimportmissingreferenceserror.md |  44 +-
 ...importmissingreferenceserror.references.md |  28 +-
 ...bjectsimportmissingreferenceserror.type.md |  22 +-
 ...plugin-server.savedobjectsimportoptions.md |  50 +-
 ...ver.savedobjectsimportoptions.namespace.md |  22 +-
 ...r.savedobjectsimportoptions.objectlimit.md |  22 +-
 ...ver.savedobjectsimportoptions.overwrite.md |  22 +-
 ...er.savedobjectsimportoptions.readstream.md |  22 +-
 ...objectsimportoptions.savedobjectsclient.md |  22 +-
 ...avedobjectsimportoptions.supportedtypes.md |  22 +-
 ...erver.savedobjectsimportresponse.errors.md |  22 +-
 ...lugin-server.savedobjectsimportresponse.md |  44 +-
 ...rver.savedobjectsimportresponse.success.md |  22 +-
 ...savedobjectsimportresponse.successcount.md |  22 +-
 ...lugin-server.savedobjectsimportretry.id.md |  22 +-
 ...a-plugin-server.savedobjectsimportretry.md |  46 +-
 ...erver.savedobjectsimportretry.overwrite.md |  22 +-
 ...vedobjectsimportretry.replacereferences.md |  30 +-
 ...gin-server.savedobjectsimportretry.type.md |  22 +-
 ...n-server.savedobjectsimportunknownerror.md |  44 +-
 ....savedobjectsimportunknownerror.message.md |  22 +-
 ...vedobjectsimportunknownerror.statuscode.md |  22 +-
 ...ver.savedobjectsimportunknownerror.type.md |  22 +-
 ....savedobjectsimportunsupportedtypeerror.md |  40 +-
 ...dobjectsimportunsupportedtypeerror.type.md |  22 +-
 ...ver.savedobjectsincrementcounteroptions.md |  40 +-
 ...ncrementcounteroptions.migrationversion.md |  22 +-
 ...dobjectsincrementcounteroptions.refresh.md |  26 +-
 ...erver.savedobjectsmigrationlogger.debug.md |  22 +-
 ...server.savedobjectsmigrationlogger.info.md |  22 +-
 ...ugin-server.savedobjectsmigrationlogger.md |  42 +-
 ...ver.savedobjectsmigrationlogger.warning.md |  22 +-
 ...gin-server.savedobjectsmigrationversion.md |  36 +-
 ...na-plugin-server.savedobjectsrawdoc._id.md |  22 +-
 ...server.savedobjectsrawdoc._primary_term.md |  22 +-
 ...lugin-server.savedobjectsrawdoc._seq_no.md |  22 +-
 ...lugin-server.savedobjectsrawdoc._source.md |  22 +-
 ...-plugin-server.savedobjectsrawdoc._type.md |  22 +-
 ...kibana-plugin-server.savedobjectsrawdoc.md |  48 +-
 ...erver.savedobjectsrepository.bulkcreate.md |  54 +--
 ...n-server.savedobjectsrepository.bulkget.md |  62 +--
 ...erver.savedobjectsrepository.bulkupdate.md |  54 +--
 ...in-server.savedobjectsrepository.create.md |  56 +--
 ...in-server.savedobjectsrepository.delete.md |  56 +--
 ...avedobjectsrepository.deletebynamespace.md |  54 +--
 ...ugin-server.savedobjectsrepository.find.md |  48 +-
 ...lugin-server.savedobjectsrepository.get.md |  56 +--
 ...savedobjectsrepository.incrementcounter.md |  86 ++--
 ...na-plugin-server.savedobjectsrepository.md |  56 +--
 ...in-server.savedobjectsrepository.update.md |  58 +--
 ...ositoryfactory.createinternalrepository.md |  26 +-
 ...epositoryfactory.createscopedrepository.md |  26 +-
 ...in-server.savedobjectsrepositoryfactory.md |  42 +-
 ....savedobjectsresolveimporterrorsoptions.md |  50 +-
 ...ctsresolveimporterrorsoptions.namespace.md |  22 +-
 ...sresolveimporterrorsoptions.objectlimit.md |  22 +-
 ...tsresolveimporterrorsoptions.readstream.md |  22 +-
 ...jectsresolveimporterrorsoptions.retries.md |  22 +-
 ...eimporterrorsoptions.savedobjectsclient.md |  22 +-
 ...solveimporterrorsoptions.supportedtypes.md |  22 +-
 ...vedobjectsservicesetup.addclientwrapper.md |  26 +-
 ...-plugin-server.savedobjectsservicesetup.md |  66 +--
 ...tsservicesetup.setclientfactoryprovider.md |  26 +-
 ...tsservicestart.createinternalrepository.md |  26 +-
 ...ectsservicestart.createscopedrepository.md |  36 +-
 ...avedobjectsservicestart.getscopedclient.md |  30 +-
 ...-plugin-server.savedobjectsservicestart.md |  44 +-
 ...plugin-server.savedobjectsupdateoptions.md |  42 +-
 ...er.savedobjectsupdateoptions.references.md |  26 +-
 ...erver.savedobjectsupdateoptions.refresh.md |  26 +-
 ...erver.savedobjectsupdateoptions.version.md |  26 +-
 ...r.savedobjectsupdateresponse.attributes.md |  22 +-
 ...lugin-server.savedobjectsupdateresponse.md |  40 +-
 ...r.savedobjectsupdateresponse.references.md |  22 +-
 .../kibana-plugin-server.scopeablerequest.md  |  30 +-
 ...erver.scopedclusterclient._constructor_.md |  44 +-
 ...r.scopedclusterclient.callascurrentuser.md |  52 +-
 ....scopedclusterclient.callasinternaluser.md |  52 +-
 ...ibana-plugin-server.scopedclusterclient.md |  58 +--
 ...r.sessioncookievalidationresult.isvalid.md |  26 +-
 ...in-server.sessioncookievalidationresult.md |  42 +-
 ...rver.sessioncookievalidationresult.path.md |  26 +-
 ...bana-plugin-server.sessionstorage.clear.md |  34 +-
 ...kibana-plugin-server.sessionstorage.get.md |  34 +-
 .../kibana-plugin-server.sessionstorage.md    |  44 +-
 ...kibana-plugin-server.sessionstorage.set.md |  48 +-
 ...ssionstoragecookieoptions.encryptionkey.md |  26 +-
 ...er.sessionstoragecookieoptions.issecure.md |  26 +-
 ...ugin-server.sessionstoragecookieoptions.md |  46 +-
 ...server.sessionstoragecookieoptions.name.md |  26 +-
 ...er.sessionstoragecookieoptions.validate.md |  26 +-
 ...n-server.sessionstoragefactory.asscoped.md |  22 +-
 ...ana-plugin-server.sessionstoragefactory.md |  40 +-
 ...kibana-plugin-server.sharedglobalconfig.md |  32 +-
 .../kibana-plugin-server.stringvalidation.md  |  26 +-
 ...ana-plugin-server.stringvalidationregex.md |  42 +-
 ...in-server.stringvalidationregex.message.md |  22 +-
 ...ugin-server.stringvalidationregex.regex.md |  22 +-
 ...ugin-server.stringvalidationregexstring.md |  42 +-
 ...ver.stringvalidationregexstring.message.md |  22 +-
 ...stringvalidationregexstring.regexstring.md |  22 +-
 ...plugin-server.uisettingsparams.category.md |  26 +-
 ...gin-server.uisettingsparams.deprecation.md |  26 +-
 ...gin-server.uisettingsparams.description.md |  26 +-
 .../kibana-plugin-server.uisettingsparams.md  |  60 +--
 ...ana-plugin-server.uisettingsparams.name.md |  26 +-
 ...in-server.uisettingsparams.optionlabels.md |  26 +-
 ...-plugin-server.uisettingsparams.options.md |  26 +-
 ...plugin-server.uisettingsparams.readonly.md |  26 +-
 ...ver.uisettingsparams.requirespagereload.md |  26 +-
 ...ana-plugin-server.uisettingsparams.type.md |  26 +-
 ...ugin-server.uisettingsparams.validation.md |  22 +-
 ...na-plugin-server.uisettingsparams.value.md |  26 +-
 ...na-plugin-server.uisettingsservicesetup.md |  38 +-
 ...-server.uisettingsservicesetup.register.md |  80 +--
 ...uisettingsservicestart.asscopedtoclient.md |  74 +--
 ...na-plugin-server.uisettingsservicestart.md |  38 +-
 .../kibana-plugin-server.uisettingstype.md    |  26 +-
 ...-server.userprovidedvalues.isoverridden.md |  22 +-
 ...kibana-plugin-server.userprovidedvalues.md |  42 +-
 ...gin-server.userprovidedvalues.uservalue.md |  22 +-
 ...server.uuidservicesetup.getinstanceuuid.md |  34 +-
 .../kibana-plugin-server.uuidservicesetup.md  |  40 +-
 .../kibana-plugin-server.validbodyoutput.md   |  26 +-
 src/dev/precommit_hook/casing_check_config.js |   3 +
 src/dev/run_check_core_api_changes.ts         |   2 +-
 1061 files changed, 18928 insertions(+), 18921 deletions(-)
 create mode 100644 api-documenter.json

diff --git a/api-documenter.json b/api-documenter.json
new file mode 100644
index 0000000000000..a2303b939c8ec
--- /dev/null
+++ b/api-documenter.json
@@ -0,0 +1,4 @@
+{
+  "newlineKind": "lf",
+  "outputTarget": "markdown"
+}
diff --git a/docs/development/core/public/index.md b/docs/development/core/public/index.md
index 3badb447f0858..be1aaed88696d 100644
--- a/docs/development/core/public/index.md
+++ b/docs/development/core/public/index.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md)
-
-## API Reference
-
-## Packages
-
-|  Package | Description |
-|  --- | --- |
-|  [kibana-plugin-public](./kibana-plugin-public.md) | The Kibana Core APIs for client-side plugins.<!-- -->A plugin's <code>public/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md)
+
+## API Reference
+
+## Packages
+
+|  Package | Description |
+|  --- | --- |
+|  [kibana-plugin-public](./kibana-plugin-public.md) | The Kibana Core APIs for client-side plugins.<!-- -->A plugin's <code>public/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.app.approute.md b/docs/development/core/public/kibana-plugin-public.app.approute.md
index 7f35f4346b6b3..76c5b7952259f 100644
--- a/docs/development/core/public/kibana-plugin-public.app.approute.md
+++ b/docs/development/core/public/kibana-plugin-public.app.approute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [appRoute](./kibana-plugin-public.app.approute.md)
-
-## App.appRoute property
-
-Override the application's routing path from `/app/${id}`<!-- -->. Must be unique across registered applications. Should not include the base path from HTTP.
-
-<b>Signature:</b>
-
-```typescript
-appRoute?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [appRoute](./kibana-plugin-public.app.approute.md)
+
+## App.appRoute property
+
+Override the application's routing path from `/app/${id}`<!-- -->. Must be unique across registered applications. Should not include the base path from HTTP.
+
+<b>Signature:</b>
+
+```typescript
+appRoute?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.app.chromeless.md b/docs/development/core/public/kibana-plugin-public.app.chromeless.md
index dc1e19bab80b2..ce68c68ba8c72 100644
--- a/docs/development/core/public/kibana-plugin-public.app.chromeless.md
+++ b/docs/development/core/public/kibana-plugin-public.app.chromeless.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [chromeless](./kibana-plugin-public.app.chromeless.md)
-
-## App.chromeless property
-
-Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
-
-<b>Signature:</b>
-
-```typescript
-chromeless?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [chromeless](./kibana-plugin-public.app.chromeless.md)
+
+## App.chromeless property
+
+Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
+
+<b>Signature:</b>
+
+```typescript
+chromeless?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.app.md b/docs/development/core/public/kibana-plugin-public.app.md
index acf07cbf62e91..faea94c467726 100644
--- a/docs/development/core/public/kibana-plugin-public.app.md
+++ b/docs/development/core/public/kibana-plugin-public.app.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md)
-
-## App interface
-
-Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function.
-
-<b>Signature:</b>
-
-```typescript
-export interface App extends AppBase 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appRoute](./kibana-plugin-public.app.approute.md) | <code>string</code> | Override the application's routing path from <code>/app/${id}</code>. Must be unique across registered applications. Should not include the base path from HTTP. |
-|  [chromeless](./kibana-plugin-public.app.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
-|  [mount](./kibana-plugin-public.app.mount.md) | <code>AppMount &#124; AppMountDeprecated</code> | A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md)
+
+## App interface
+
+Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function.
+
+<b>Signature:</b>
+
+```typescript
+export interface App extends AppBase 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appRoute](./kibana-plugin-public.app.approute.md) | <code>string</code> | Override the application's routing path from <code>/app/${id}</code>. Must be unique across registered applications. Should not include the base path from HTTP. |
+|  [chromeless](./kibana-plugin-public.app.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
+|  [mount](./kibana-plugin-public.app.mount.md) | <code>AppMount &#124; AppMountDeprecated</code> | A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.app.mount.md b/docs/development/core/public/kibana-plugin-public.app.mount.md
index 151fb7baeb138..2af5f0277759a 100644
--- a/docs/development/core/public/kibana-plugin-public.app.mount.md
+++ b/docs/development/core/public/kibana-plugin-public.app.mount.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [mount](./kibana-plugin-public.app.mount.md)
-
-## App.mount property
-
-A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-mount: AppMount | AppMountDeprecated;
-```
-
-## Remarks
-
-When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [App](./kibana-plugin-public.app.md) &gt; [mount](./kibana-plugin-public.app.mount.md)
+
+## App.mount property
+
+A mount function called when the user navigates to this app's route. May have signature of [AppMount](./kibana-plugin-public.appmount.md) or [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+mount: AppMount | AppMountDeprecated;
+```
+
+## Remarks
+
+When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md b/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
index 450972e41bb29..4aaeaaf00f25b 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [capabilities](./kibana-plugin-public.appbase.capabilities.md)
-
-## AppBase.capabilities property
-
-Custom capabilities defined by the app.
-
-<b>Signature:</b>
-
-```typescript
-capabilities?: Partial<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [capabilities](./kibana-plugin-public.appbase.capabilities.md)
+
+## AppBase.capabilities property
+
+Custom capabilities defined by the app.
+
+<b>Signature:</b>
+
+```typescript
+capabilities?: Partial<Capabilities>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.category.md b/docs/development/core/public/kibana-plugin-public.appbase.category.md
index 215ebbbd0e186..d3c6e0acf5e69 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.category.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [category](./kibana-plugin-public.appbase.category.md)
-
-## AppBase.category property
-
-The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference
-
-<b>Signature:</b>
-
-```typescript
-category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [category](./kibana-plugin-public.appbase.category.md)
+
+## AppBase.category property
+
+The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference
+
+<b>Signature:</b>
+
+```typescript
+category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md b/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
index ddbf9aafbd28a..8763a25541199 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.chromeless.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [chromeless](./kibana-plugin-public.appbase.chromeless.md)
-
-## AppBase.chromeless property
-
-Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
-
-<b>Signature:</b>
-
-```typescript
-chromeless?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [chromeless](./kibana-plugin-public.appbase.chromeless.md)
+
+## AppBase.chromeless property
+
+Hide the UI chrome when the application is mounted. Defaults to `false`<!-- -->. Takes precedence over chrome service visibility settings.
+
+<b>Signature:</b>
+
+```typescript
+chromeless?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md b/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
index 99c7e852ff905..18ef718800772 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [euiIconType](./kibana-plugin-public.appbase.euiicontype.md)
-
-## AppBase.euiIconType property
-
-A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [euiIconType](./kibana-plugin-public.appbase.euiicontype.md)
+
+## AppBase.euiIconType property
+
+A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.icon.md b/docs/development/core/public/kibana-plugin-public.appbase.icon.md
index d94d0897bc5b7..0bf6eb22acf9d 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.icon.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [icon](./kibana-plugin-public.appbase.icon.md)
-
-## AppBase.icon property
-
-A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
-
-<b>Signature:</b>
-
-```typescript
-icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [icon](./kibana-plugin-public.appbase.icon.md)
+
+## AppBase.icon property
+
+A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
+
+<b>Signature:</b>
+
+```typescript
+icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.id.md b/docs/development/core/public/kibana-plugin-public.appbase.id.md
index 89dd32d296104..4c3f471a6155c 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.id.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [id](./kibana-plugin-public.appbase.id.md)
-
-## AppBase.id property
-
-The unique identifier of the application
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [id](./kibana-plugin-public.appbase.id.md)
+
+## AppBase.id property
+
+The unique identifier of the application
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.md b/docs/development/core/public/kibana-plugin-public.appbase.md
index 6f547450b6a12..194ba28e416bf 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md)
-
-## AppBase interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AppBase 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-public.appbase.capabilities.md) | <code>Partial&lt;Capabilities&gt;</code> | Custom capabilities defined by the app. |
-|  [category](./kibana-plugin-public.appbase.category.md) | <code>AppCategory</code> | The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference |
-|  [chromeless](./kibana-plugin-public.appbase.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
-|  [euiIconType](./kibana-plugin-public.appbase.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
-|  [icon](./kibana-plugin-public.appbase.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
-|  [id](./kibana-plugin-public.appbase.id.md) | <code>string</code> | The unique identifier of the application |
-|  [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md) | <code>AppNavLinkStatus</code> | The initial status of the application's navLink. Defaulting to <code>visible</code> if <code>status</code> is <code>accessible</code> and <code>hidden</code> if status is <code>inaccessible</code> See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) |
-|  [order](./kibana-plugin-public.appbase.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
-|  [status](./kibana-plugin-public.appbase.status.md) | <code>AppStatus</code> | The initial status of the application. Defaulting to <code>accessible</code> |
-|  [title](./kibana-plugin-public.appbase.title.md) | <code>string</code> | The title of the application. |
-|  [tooltip](./kibana-plugin-public.appbase.tooltip.md) | <code>string</code> | A tooltip shown when hovering over app link. |
-|  [updater$](./kibana-plugin-public.appbase.updater_.md) | <code>Observable&lt;AppUpdater&gt;</code> | An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md)
+
+## AppBase interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AppBase 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-public.appbase.capabilities.md) | <code>Partial&lt;Capabilities&gt;</code> | Custom capabilities defined by the app. |
+|  [category](./kibana-plugin-public.appbase.category.md) | <code>AppCategory</code> | The category definition of the product See [AppCategory](./kibana-plugin-public.appcategory.md) See DEFAULT\_APP\_CATEGORIES for more reference |
+|  [chromeless](./kibana-plugin-public.appbase.chromeless.md) | <code>boolean</code> | Hide the UI chrome when the application is mounted. Defaults to <code>false</code>. Takes precedence over chrome service visibility settings. |
+|  [euiIconType](./kibana-plugin-public.appbase.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
+|  [icon](./kibana-plugin-public.appbase.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
+|  [id](./kibana-plugin-public.appbase.id.md) | <code>string</code> | The unique identifier of the application |
+|  [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md) | <code>AppNavLinkStatus</code> | The initial status of the application's navLink. Defaulting to <code>visible</code> if <code>status</code> is <code>accessible</code> and <code>hidden</code> if status is <code>inaccessible</code> See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) |
+|  [order](./kibana-plugin-public.appbase.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
+|  [status](./kibana-plugin-public.appbase.status.md) | <code>AppStatus</code> | The initial status of the application. Defaulting to <code>accessible</code> |
+|  [title](./kibana-plugin-public.appbase.title.md) | <code>string</code> | The title of the application. |
+|  [tooltip](./kibana-plugin-public.appbase.tooltip.md) | <code>string</code> | A tooltip shown when hovering over app link. |
+|  [updater$](./kibana-plugin-public.appbase.updater_.md) | <code>Observable&lt;AppUpdater&gt;</code> | An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md b/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
index d6744c3e75756..90a3e6dd08951 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.navlinkstatus.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md)
-
-## AppBase.navLinkStatus property
-
-The initial status of the application's navLink. Defaulting to `visible` if `status` is `accessible` and `hidden` if status is `inaccessible` See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
-
-<b>Signature:</b>
-
-```typescript
-navLinkStatus?: AppNavLinkStatus;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [navLinkStatus](./kibana-plugin-public.appbase.navlinkstatus.md)
+
+## AppBase.navLinkStatus property
+
+The initial status of the application's navLink. Defaulting to `visible` if `status` is `accessible` and `hidden` if status is `inaccessible` See [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
+
+<b>Signature:</b>
+
+```typescript
+navLinkStatus?: AppNavLinkStatus;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.order.md b/docs/development/core/public/kibana-plugin-public.appbase.order.md
index dc0ea14a7b860..312e327e54f9c 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.order.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [order](./kibana-plugin-public.appbase.order.md)
-
-## AppBase.order property
-
-An ordinal used to sort nav links relative to one another for display.
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [order](./kibana-plugin-public.appbase.order.md)
+
+## AppBase.order property
+
+An ordinal used to sort nav links relative to one another for display.
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.status.md b/docs/development/core/public/kibana-plugin-public.appbase.status.md
index a5fbadbeea1ff..eee3f9bdfa78f 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.status.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.status.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [status](./kibana-plugin-public.appbase.status.md)
-
-## AppBase.status property
-
-The initial status of the application. Defaulting to `accessible`
-
-<b>Signature:</b>
-
-```typescript
-status?: AppStatus;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [status](./kibana-plugin-public.appbase.status.md)
+
+## AppBase.status property
+
+The initial status of the application. Defaulting to `accessible`
+
+<b>Signature:</b>
+
+```typescript
+status?: AppStatus;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.title.md b/docs/development/core/public/kibana-plugin-public.appbase.title.md
index 4d0fb0c18e814..bb9cbb7b53e84 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.title.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [title](./kibana-plugin-public.appbase.title.md)
-
-## AppBase.title property
-
-The title of the application.
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [title](./kibana-plugin-public.appbase.title.md)
+
+## AppBase.title property
+
+The title of the application.
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md b/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
index 85921a5a321dd..0d3bb59870c42 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.tooltip.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [tooltip](./kibana-plugin-public.appbase.tooltip.md)
-
-## AppBase.tooltip property
-
-A tooltip shown when hovering over app link.
-
-<b>Signature:</b>
-
-```typescript
-tooltip?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [tooltip](./kibana-plugin-public.appbase.tooltip.md)
+
+## AppBase.tooltip property
+
+A tooltip shown when hovering over app link.
+
+<b>Signature:</b>
+
+```typescript
+tooltip?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appbase.updater_.md b/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
index 3edd357383449..a15a1666a4e00 100644
--- a/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
+++ b/docs/development/core/public/kibana-plugin-public.appbase.updater_.md
@@ -1,44 +1,44 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [updater$](./kibana-plugin-public.appbase.updater_.md)
-
-## AppBase.updater$ property
-
-An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime.
-
-<b>Signature:</b>
-
-```typescript
-updater$?: Observable<AppUpdater>;
-```
-
-## Example
-
-How to update an application navLink at runtime
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  private appUpdater = new BehaviorSubject<AppUpdater>(() => ({}));
-
-  setup({ application }) {
-    application.register({
-      id: 'my-app',
-      title: 'My App',
-      updater$: this.appUpdater,
-      async mount(params) {
-        const { renderApp } = await import('./application');
-        return renderApp(params);
-      },
-    });
-  }
-
-  start() {
-     // later, when the navlink needs to be updated
-     appUpdater.next(() => {
-       navLinkStatus: AppNavLinkStatus.disabled,
-     })
-  }
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppBase](./kibana-plugin-public.appbase.md) &gt; [updater$](./kibana-plugin-public.appbase.updater_.md)
+
+## AppBase.updater$ property
+
+An [AppUpdater](./kibana-plugin-public.appupdater.md) observable that can be used to update the application [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) at runtime.
+
+<b>Signature:</b>
+
+```typescript
+updater$?: Observable<AppUpdater>;
+```
+
+## Example
+
+How to update an application navLink at runtime
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  private appUpdater = new BehaviorSubject<AppUpdater>(() => ({}));
+
+  setup({ application }) {
+    application.register({
+      id: 'my-app',
+      title: 'My App',
+      updater$: this.appUpdater,
+      async mount(params) {
+        const { renderApp } = await import('./application');
+        return renderApp(params);
+      },
+    });
+  }
+
+  start() {
+     // later, when the navlink needs to be updated
+     appUpdater.next(() => {
+       navLinkStatus: AppNavLinkStatus.disabled,
+     })
+  }
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md b/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
index 0245b548ae74f..813174001bb03 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.arialabel.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md)
-
-## AppCategory.ariaLabel property
-
-If the visual label isn't appropriate for screen readers, can override it here
-
-<b>Signature:</b>
-
-```typescript
-ariaLabel?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md)
+
+## AppCategory.ariaLabel property
+
+If the visual label isn't appropriate for screen readers, can override it here
+
+<b>Signature:</b>
+
+```typescript
+ariaLabel?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md b/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
index 90133735a0082..652bcb9e05edf 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md)
-
-## AppCategory.euiIconType property
-
-Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md)
+
+## AppCategory.euiIconType property
+
+Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.label.md b/docs/development/core/public/kibana-plugin-public.appcategory.label.md
index 171b1627f9ef8..692c032b01a69 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.label.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.label.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [label](./kibana-plugin-public.appcategory.label.md)
-
-## AppCategory.label property
-
-Label used for cateogry name. Also used as aria-label if one isn't set.
-
-<b>Signature:</b>
-
-```typescript
-label: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [label](./kibana-plugin-public.appcategory.label.md)
+
+## AppCategory.label property
+
+Label used for cateogry name. Also used as aria-label if one isn't set.
+
+<b>Signature:</b>
+
+```typescript
+label: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.md b/docs/development/core/public/kibana-plugin-public.appcategory.md
index f1085e7325272..8c40113a8c438 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md)
-
-## AppCategory interface
-
-A category definition for nav links to know where to sort them in the left hand nav
-
-<b>Signature:</b>
-
-```typescript
-export interface AppCategory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md) | <code>string</code> | If the visual label isn't appropriate for screen readers, can override it here |
-|  [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md) | <code>string</code> | Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined |
-|  [label](./kibana-plugin-public.appcategory.label.md) | <code>string</code> | Label used for cateogry name. Also used as aria-label if one isn't set. |
-|  [order](./kibana-plugin-public.appcategory.order.md) | <code>number</code> | The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md)
+
+## AppCategory interface
+
+A category definition for nav links to know where to sort them in the left hand nav
+
+<b>Signature:</b>
+
+```typescript
+export interface AppCategory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [ariaLabel](./kibana-plugin-public.appcategory.arialabel.md) | <code>string</code> | If the visual label isn't appropriate for screen readers, can override it here |
+|  [euiIconType](./kibana-plugin-public.appcategory.euiicontype.md) | <code>string</code> | Define an icon to be used for the category If the category is only 1 item, and no icon is defined, will default to the product icon Defaults to initials if no icon is defined |
+|  [label](./kibana-plugin-public.appcategory.label.md) | <code>string</code> | Label used for cateogry name. Also used as aria-label if one isn't set. |
+|  [order](./kibana-plugin-public.appcategory.order.md) | <code>number</code> | The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appcategory.order.md b/docs/development/core/public/kibana-plugin-public.appcategory.order.md
index ef17ac04b78d6..170d3d9559e93 100644
--- a/docs/development/core/public/kibana-plugin-public.appcategory.order.md
+++ b/docs/development/core/public/kibana-plugin-public.appcategory.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [order](./kibana-plugin-public.appcategory.order.md)
-
-## AppCategory.order property
-
-The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000)
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppCategory](./kibana-plugin-public.appcategory.md) &gt; [order](./kibana-plugin-public.appcategory.order.md)
+
+## AppCategory.order property
+
+The order that categories will be sorted in Prefer large steps between categories to allow for further editing (Default categories are in steps of 1000)
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveaction.md b/docs/development/core/public/kibana-plugin-public.appleaveaction.md
index ae56205f5e45c..e81b925feaee8 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveaction.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveAction](./kibana-plugin-public.appleaveaction.md)
-
-## AppLeaveAction type
-
-Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
-
-See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppLeaveAction = AppLeaveDefaultAction | AppLeaveConfirmAction;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveAction](./kibana-plugin-public.appleaveaction.md)
+
+## AppLeaveAction type
+
+Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
+
+See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppLeaveAction = AppLeaveDefaultAction | AppLeaveConfirmAction;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md b/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
index 482b2e489b33e..3ee49d60eb1c7 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveactiontype.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md)
-
-## AppLeaveActionType enum
-
-Possible type of actions on application leave.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppLeaveActionType 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  confirm | <code>&quot;confirm&quot;</code> |  |
-|  default | <code>&quot;default&quot;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md)
+
+## AppLeaveActionType enum
+
+Possible type of actions on application leave.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppLeaveActionType 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  confirm | <code>&quot;confirm&quot;</code> |  |
+|  default | <code>&quot;default&quot;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
index 4cd99dd2a3fb3..ea3c0dbba7ec4 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md)
-
-## AppLeaveConfirmAction interface
-
-Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.
-
-See 
-
-<b>Signature:</b>
-
-```typescript
-export interface AppLeaveConfirmAction 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [text](./kibana-plugin-public.appleaveconfirmaction.text.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-public.appleaveconfirmaction.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.appleaveconfirmaction.type.md) | <code>AppLeaveActionType.confirm</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md)
+
+## AppLeaveConfirmAction interface
+
+Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.
+
+See 
+
+<b>Signature:</b>
+
+```typescript
+export interface AppLeaveConfirmAction 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [text](./kibana-plugin-public.appleaveconfirmaction.text.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-public.appleaveconfirmaction.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.appleaveconfirmaction.type.md) | <code>AppLeaveActionType.confirm</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
index dbbd11c6f71f8..6b572b6bd9845 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.text.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [text](./kibana-plugin-public.appleaveconfirmaction.text.md)
-
-## AppLeaveConfirmAction.text property
-
-<b>Signature:</b>
-
-```typescript
-text: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [text](./kibana-plugin-public.appleaveconfirmaction.text.md)
+
+## AppLeaveConfirmAction.text property
+
+<b>Signature:</b>
+
+```typescript
+text: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
index 684ef384a37c3..47b15dd32efcf 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [title](./kibana-plugin-public.appleaveconfirmaction.title.md)
-
-## AppLeaveConfirmAction.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [title](./kibana-plugin-public.appleaveconfirmaction.title.md)
+
+## AppLeaveConfirmAction.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
index 926cecf893cc8..e8e34c446ff53 100644
--- a/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
+++ b/docs/development/core/public/kibana-plugin-public.appleaveconfirmaction.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [type](./kibana-plugin-public.appleaveconfirmaction.type.md)
-
-## AppLeaveConfirmAction.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AppLeaveActionType.confirm;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) &gt; [type](./kibana-plugin-public.appleaveconfirmaction.type.md)
+
+## AppLeaveConfirmAction.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AppLeaveActionType.confirm;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
index ed2f729a0c648..5682dc88119e2 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
-
-## AppLeaveDefaultAction interface
-
-Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.
-
-See 
-
-<b>Signature:</b>
-
-```typescript
-export interface AppLeaveDefaultAction 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.appleavedefaultaction.type.md) | <code>AppLeaveActionType.default</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md)
+
+## AppLeaveDefaultAction interface
+
+Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.
+
+See 
+
+<b>Signature:</b>
+
+```typescript
+export interface AppLeaveDefaultAction 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.appleavedefaultaction.type.md) | <code>AppLeaveActionType.default</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
index ee12393121a5a..8db979b1bba5c 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavedefaultaction.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) &gt; [type](./kibana-plugin-public.appleavedefaultaction.type.md)
-
-## AppLeaveDefaultAction.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AppLeaveActionType.default;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) &gt; [type](./kibana-plugin-public.appleavedefaultaction.type.md)
+
+## AppLeaveDefaultAction.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AppLeaveActionType.default;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appleavehandler.md b/docs/development/core/public/kibana-plugin-public.appleavehandler.md
index e879227961bc6..8f4bad65a6cd6 100644
--- a/docs/development/core/public/kibana-plugin-public.appleavehandler.md
+++ b/docs/development/core/public/kibana-plugin-public.appleavehandler.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
-
-## AppLeaveHandler type
-
-A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return `confirm` to to prompt a message to the user before leaving the page, or `default` to keep the default behavior (doing nothing).
-
-See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppLeaveHandler = (factory: AppLeaveActionFactory) => AppLeaveAction;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)
+
+## AppLeaveHandler type
+
+A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return `confirm` to to prompt a message to the user before leaving the page, or `default` to keep the default behavior (doing nothing).
+
+See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppLeaveHandler = (factory: AppLeaveActionFactory) => AppLeaveAction;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.md
index cf9bc5189af40..7497752ac386e 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-## ApplicationSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ApplicationSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [register(app)](./kibana-plugin-public.applicationsetup.register.md) | Register an mountable application to the system. |
-|  [registerAppUpdater(appUpdater$)](./kibana-plugin-public.applicationsetup.registerappupdater.md) | Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.<!-- -->This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the <code>updater$</code> property of the registered application instead. |
-|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationsetup.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+## ApplicationSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ApplicationSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [register(app)](./kibana-plugin-public.applicationsetup.register.md) | Register an mountable application to the system. |
+|  [registerAppUpdater(appUpdater$)](./kibana-plugin-public.applicationsetup.registerappupdater.md) | Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.<!-- -->This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the <code>updater$</code> property of the registered application instead. |
+|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationsetup.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
index b4ccb6a01c600..5c6c7cd252b0a 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.register.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [register](./kibana-plugin-public.applicationsetup.register.md)
-
-## ApplicationSetup.register() method
-
-Register an mountable application to the system.
-
-<b>Signature:</b>
-
-```typescript
-register(app: App): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  app | <code>App</code> | an [App](./kibana-plugin-public.app.md) |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [register](./kibana-plugin-public.applicationsetup.register.md)
+
+## ApplicationSetup.register() method
+
+Register an mountable application to the system.
+
+<b>Signature:</b>
+
+```typescript
+register(app: App): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  app | <code>App</code> | an [App](./kibana-plugin-public.app.md) |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
index 39b4f878a3f79..b3a2dcb2b7de1 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.registerappupdater.md
@@ -1,47 +1,47 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerAppUpdater](./kibana-plugin-public.applicationsetup.registerappupdater.md)
-
-## ApplicationSetup.registerAppUpdater() method
-
-Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.
-
-This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the `updater$` property of the registered application instead.
-
-<b>Signature:</b>
-
-```typescript
-registerAppUpdater(appUpdater$: Observable<AppUpdater>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appUpdater$ | <code>Observable&lt;AppUpdater&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to register an application updater that disables some applications:
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  setup({ application }) {
-    application.registerAppUpdater(
-      new BehaviorSubject<AppUpdater>(app => {
-         if (myPluginApi.shouldDisable(app))
-           return {
-             status: AppStatus.inaccessible,
-           };
-       })
-     );
-    }
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerAppUpdater](./kibana-plugin-public.applicationsetup.registerappupdater.md)
+
+## ApplicationSetup.registerAppUpdater() method
+
+Register an application updater that can be used to change the [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) fields of all applications at runtime.
+
+This is meant to be used by plugins that needs to updates the whole list of applications. To only updates a specific application, use the `updater$` property of the registered application instead.
+
+<b>Signature:</b>
+
+```typescript
+registerAppUpdater(appUpdater$: Observable<AppUpdater>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appUpdater$ | <code>Observable&lt;AppUpdater&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to register an application updater that disables some applications:
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  setup({ application }) {
+    application.registerAppUpdater(
+      new BehaviorSubject<AppUpdater>(app => {
+         if (myPluginApi.shouldDisable(app))
+           return {
+             status: AppStatus.inaccessible,
+           };
+       })
+     );
+    }
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md b/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
index 275ba431bc7e7..e1d28bbdb7030 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationsetup.registermountcontext.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerMountContext](./kibana-plugin-public.applicationsetup.registermountcontext.md)
-
-## ApplicationSetup.registerMountContext() method
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
-|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) &gt; [registerMountContext](./kibana-plugin-public.applicationsetup.registermountcontext.md)
+
+## ApplicationSetup.registerMountContext() method
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
+|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md b/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
index 14326197ea549..ef61b32d9b7f2 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [capabilities](./kibana-plugin-public.applicationstart.capabilities.md)
-
-## ApplicationStart.capabilities property
-
-Gets the read-only capabilities.
-
-<b>Signature:</b>
-
-```typescript
-capabilities: RecursiveReadonly<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [capabilities](./kibana-plugin-public.applicationstart.capabilities.md)
+
+## ApplicationStart.capabilities property
+
+Gets the read-only capabilities.
+
+<b>Signature:</b>
+
+```typescript
+capabilities: RecursiveReadonly<Capabilities>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md b/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
index 422fbdf7418c2..7eadd4d4e9d44 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.geturlforapp.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [getUrlForApp](./kibana-plugin-public.applicationstart.geturlforapp.md)
-
-## ApplicationStart.getUrlForApp() method
-
-Returns a relative URL to a given app, including the global base path.
-
-<b>Signature:</b>
-
-```typescript
-getUrlForApp(appId: string, options?: {
-        path?: string;
-    }): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appId | <code>string</code> |  |
-|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>    }</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [getUrlForApp](./kibana-plugin-public.applicationstart.geturlforapp.md)
+
+## ApplicationStart.getUrlForApp() method
+
+Returns a relative URL to a given app, including the global base path.
+
+<b>Signature:</b>
+
+```typescript
+getUrlForApp(appId: string, options?: {
+        path?: string;
+    }): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appId | <code>string</code> |  |
+|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>    }</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.md b/docs/development/core/public/kibana-plugin-public.applicationstart.md
index e36ef3f14f87e..3ad7e3b1656d8 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md)
-
-## ApplicationStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ApplicationStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-public.applicationstart.capabilities.md) | <code>RecursiveReadonly&lt;Capabilities&gt;</code> | Gets the read-only capabilities. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getUrlForApp(appId, options)](./kibana-plugin-public.applicationstart.geturlforapp.md) | Returns a relative URL to a given app, including the global base path. |
-|  [navigateToApp(appId, options)](./kibana-plugin-public.applicationstart.navigatetoapp.md) | Navigate to a given app |
-|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationstart.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md)
+
+## ApplicationStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ApplicationStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-public.applicationstart.capabilities.md) | <code>RecursiveReadonly&lt;Capabilities&gt;</code> | Gets the read-only capabilities. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getUrlForApp(appId, options)](./kibana-plugin-public.applicationstart.geturlforapp.md) | Returns a relative URL to a given app, including the global base path. |
+|  [navigateToApp(appId, options)](./kibana-plugin-public.applicationstart.navigatetoapp.md) | Navigate to a given app |
+|  [registerMountContext(contextName, provider)](./kibana-plugin-public.applicationstart.registermountcontext.md) | Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md b/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
index 3e29d09ea4cd5..9a1f1da689584 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.navigatetoapp.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [navigateToApp](./kibana-plugin-public.applicationstart.navigatetoapp.md)
-
-## ApplicationStart.navigateToApp() method
-
-Navigate to a given app
-
-<b>Signature:</b>
-
-```typescript
-navigateToApp(appId: string, options?: {
-        path?: string;
-        state?: any;
-    }): Promise<void>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appId | <code>string</code> |  |
-|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>        state?: any;</code><br/><code>    }</code> |  |
-
-<b>Returns:</b>
-
-`Promise<void>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [navigateToApp](./kibana-plugin-public.applicationstart.navigatetoapp.md)
+
+## ApplicationStart.navigateToApp() method
+
+Navigate to a given app
+
+<b>Signature:</b>
+
+```typescript
+navigateToApp(appId: string, options?: {
+        path?: string;
+        state?: any;
+    }): Promise<void>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appId | <code>string</code> |  |
+|  options | <code>{</code><br/><code>        path?: string;</code><br/><code>        state?: any;</code><br/><code>    }</code> |  |
+
+<b>Returns:</b>
+
+`Promise<void>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md b/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
index c15a23fe82b21..0eb1cb60ec5fd 100644
--- a/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.applicationstart.registermountcontext.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [registerMountContext](./kibana-plugin-public.applicationstart.registermountcontext.md)
-
-## ApplicationStart.registerMountContext() method
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
-|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ApplicationStart](./kibana-plugin-public.applicationstart.md) &gt; [registerMountContext](./kibana-plugin-public.applicationstart.registermountcontext.md)
+
+## ApplicationStart.registerMountContext() method
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Register a context provider for application mounting. Will only be available to applications that depend on the plugin that registered this context. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+registerMountContext<T extends keyof AppMountContext>(contextName: T, provider: IContextProvider<AppMountDeprecated, T>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextName | <code>T</code> | The key of [AppMountContext](./kibana-plugin-public.appmountcontext.md) this provider's return value should be attached to. |
+|  provider | <code>IContextProvider&lt;AppMountDeprecated, T&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) function |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmount.md b/docs/development/core/public/kibana-plugin-public.appmount.md
index 25faa7be30b68..84a52b09a119c 100644
--- a/docs/development/core/public/kibana-plugin-public.appmount.md
+++ b/docs/development/core/public/kibana-plugin-public.appmount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMount](./kibana-plugin-public.appmount.md)
-
-## AppMount type
-
-A mount function called when the user navigates to this app's route.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppMount = (params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMount](./kibana-plugin-public.appmount.md)
+
+## AppMount type
+
+A mount function called when the user navigates to this app's route.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppMount = (params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md b/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
index e01a5e9da50d5..6ec2d18f33d80 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountcontext.core.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md) &gt; [core](./kibana-plugin-public.appmountcontext.core.md)
-
-## AppMountContext.core property
-
-Core service APIs available to mounted applications.
-
-<b>Signature:</b>
-
-```typescript
-core: {
-        application: Pick<ApplicationStart, 'capabilities' | 'navigateToApp'>;
-        chrome: ChromeStart;
-        docLinks: DocLinksStart;
-        http: HttpStart;
-        i18n: I18nStart;
-        notifications: NotificationsStart;
-        overlays: OverlayStart;
-        savedObjects: SavedObjectsStart;
-        uiSettings: IUiSettingsClient;
-        injectedMetadata: {
-            getInjectedVar: (name: string, defaultValue?: any) => unknown;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md) &gt; [core](./kibana-plugin-public.appmountcontext.core.md)
+
+## AppMountContext.core property
+
+Core service APIs available to mounted applications.
+
+<b>Signature:</b>
+
+```typescript
+core: {
+        application: Pick<ApplicationStart, 'capabilities' | 'navigateToApp'>;
+        chrome: ChromeStart;
+        docLinks: DocLinksStart;
+        http: HttpStart;
+        i18n: I18nStart;
+        notifications: NotificationsStart;
+        overlays: OverlayStart;
+        savedObjects: SavedObjectsStart;
+        uiSettings: IUiSettingsClient;
+        injectedMetadata: {
+            getInjectedVar: (name: string, defaultValue?: any) => unknown;
+        };
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountcontext.md b/docs/development/core/public/kibana-plugin-public.appmountcontext.md
index 2f8c0553d0b38..6c0860ad9f6b7 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountcontext.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountcontext.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md)
-
-## AppMountContext interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface AppMountContext 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-public.appmountcontext.core.md) | <code>{</code><br/><code>        application: Pick&lt;ApplicationStart, 'capabilities' &#124; 'navigateToApp'&gt;;</code><br/><code>        chrome: ChromeStart;</code><br/><code>        docLinks: DocLinksStart;</code><br/><code>        http: HttpStart;</code><br/><code>        i18n: I18nStart;</code><br/><code>        notifications: NotificationsStart;</code><br/><code>        overlays: OverlayStart;</code><br/><code>        savedObjects: SavedObjectsStart;</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>        injectedMetadata: {</code><br/><code>            getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>        };</code><br/><code>    }</code> | Core service APIs available to mounted applications. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountContext](./kibana-plugin-public.appmountcontext.md)
+
+## AppMountContext interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface AppMountContext 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-public.appmountcontext.core.md) | <code>{</code><br/><code>        application: Pick&lt;ApplicationStart, 'capabilities' &#124; 'navigateToApp'&gt;;</code><br/><code>        chrome: ChromeStart;</code><br/><code>        docLinks: DocLinksStart;</code><br/><code>        http: HttpStart;</code><br/><code>        i18n: I18nStart;</code><br/><code>        notifications: NotificationsStart;</code><br/><code>        overlays: OverlayStart;</code><br/><code>        savedObjects: SavedObjectsStart;</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>        injectedMetadata: {</code><br/><code>            getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>        };</code><br/><code>    }</code> | Core service APIs available to mounted applications. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md b/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
index 936642abcc97a..8c8114182b60f 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountdeprecated.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)
-
-## AppMountDeprecated type
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A mount function called when the user navigates to this app's route.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppMountDeprecated = (context: AppMountContext, params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
-```
-
-## Remarks
-
-When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md)
+
+## AppMountDeprecated type
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A mount function called when the user navigates to this app's route.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppMountDeprecated = (context: AppMountContext, params: AppMountParameters) => AppUnmount | Promise<AppUnmount>;
+```
+
+## Remarks
+
+When function has two arguments, it will be called with a [context](./kibana-plugin-public.appmountcontext.md) as the first argument. This behavior is \*\*deprecated\*\*, and consumers should instead use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
index 7cd709d615729..041d976aa42a2 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.appbasepath.md
@@ -1,58 +1,58 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md)
-
-## AppMountParameters.appBasePath property
-
-The route path for configuring navigation to the application. This string should not include the base path from HTTP.
-
-<b>Signature:</b>
-
-```typescript
-appBasePath: string;
-```
-
-## Example
-
-How to configure react-router with a base path:
-
-```ts
-// inside your plugin's setup function
-export class MyPlugin implements Plugin {
-  setup({ application }) {
-    application.register({
-     id: 'my-app',
-     appRoute: '/my-app',
-     async mount(params) {
-       const { renderApp } = await import('./application');
-       return renderApp(params);
-     },
-   });
- }
-}
-
-```
-
-```ts
-// application.tsx
-import React from 'react';
-import ReactDOM from 'react-dom';
-import { BrowserRouter, Route } from 'react-router-dom';
-
-import { CoreStart, AppMountParams } from 'src/core/public';
-import { MyPluginDepsStart } from './plugin';
-
-export renderApp = ({ appBasePath, element }: AppMountParams) => {
-  ReactDOM.render(
-    // pass `appBasePath` to `basename`
-    <BrowserRouter basename={appBasePath}>
-      <Route path="/" exact component={HomePage} />
-    </BrowserRouter>,
-    element
-  );
-
-  return () => ReactDOM.unmountComponentAtNode(element);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md)
+
+## AppMountParameters.appBasePath property
+
+The route path for configuring navigation to the application. This string should not include the base path from HTTP.
+
+<b>Signature:</b>
+
+```typescript
+appBasePath: string;
+```
+
+## Example
+
+How to configure react-router with a base path:
+
+```ts
+// inside your plugin's setup function
+export class MyPlugin implements Plugin {
+  setup({ application }) {
+    application.register({
+     id: 'my-app',
+     appRoute: '/my-app',
+     async mount(params) {
+       const { renderApp } = await import('./application');
+       return renderApp(params);
+     },
+   });
+ }
+}
+
+```
+
+```ts
+// application.tsx
+import React from 'react';
+import ReactDOM from 'react-dom';
+import { BrowserRouter, Route } from 'react-router-dom';
+
+import { CoreStart, AppMountParams } from 'src/core/public';
+import { MyPluginDepsStart } from './plugin';
+
+export renderApp = ({ appBasePath, element }: AppMountParams) => {
+  ReactDOM.render(
+    // pass `appBasePath` to `basename`
+    <BrowserRouter basename={appBasePath}>
+      <Route path="/" exact component={HomePage} />
+    </BrowserRouter>,
+    element
+  );
+
+  return () => ReactDOM.unmountComponentAtNode(element);
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
index dbe496c01c215..0c6759df8197c 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.element.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [element](./kibana-plugin-public.appmountparameters.element.md)
-
-## AppMountParameters.element property
-
-The container element to render the application into.
-
-<b>Signature:</b>
-
-```typescript
-element: HTMLElement;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [element](./kibana-plugin-public.appmountparameters.element.md)
+
+## AppMountParameters.element property
+
+The container element to render the application into.
+
+<b>Signature:</b>
+
+```typescript
+element: HTMLElement;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.md
index 9586eba96a697..c21889c28bda4 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md)
-
-## AppMountParameters interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AppMountParameters 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md) | <code>string</code> | The route path for configuring navigation to the application. This string should not include the base path from HTTP. |
-|  [element](./kibana-plugin-public.appmountparameters.element.md) | <code>HTMLElement</code> | The container element to render the application into. |
-|  [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md) | <code>(handler: AppLeaveHandler) =&gt; void</code> | A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.<!-- -->This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md)
+
+## AppMountParameters interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AppMountParameters 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appBasePath](./kibana-plugin-public.appmountparameters.appbasepath.md) | <code>string</code> | The route path for configuring navigation to the application. This string should not include the base path from HTTP. |
+|  [element](./kibana-plugin-public.appmountparameters.element.md) | <code>HTMLElement</code> | The container element to render the application into. |
+|  [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md) | <code>(handler: AppLeaveHandler) =&gt; void</code> | A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.<!-- -->This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md b/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
index 55eb840ce1cf6..283ae34f14c54 100644
--- a/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
+++ b/docs/development/core/public/kibana-plugin-public.appmountparameters.onappleave.md
@@ -1,41 +1,41 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md)
-
-## AppMountParameters.onAppLeave property
-
-A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.
-
-This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url.
-
-<b>Signature:</b>
-
-```typescript
-onAppLeave: (handler: AppLeaveHandler) => void;
-```
-
-## Example
-
-
-```ts
-// application.tsx
-import React from 'react';
-import ReactDOM from 'react-dom';
-import { BrowserRouter, Route } from 'react-router-dom';
-
-import { CoreStart, AppMountParams } from 'src/core/public';
-import { MyPluginDepsStart } from './plugin';
-
-export renderApp = ({ appBasePath, element, onAppLeave }: AppMountParams) => {
-   const { renderApp, hasUnsavedChanges } = await import('./application');
-   onAppLeave(actions => {
-     if(hasUnsavedChanges()) {
-       return actions.confirm('Some changes were not saved. Are you sure you want to leave?');
-     }
-     return actions.default();
-   });
-   return renderApp(params);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppMountParameters](./kibana-plugin-public.appmountparameters.md) &gt; [onAppLeave](./kibana-plugin-public.appmountparameters.onappleave.md)
+
+## AppMountParameters.onAppLeave property
+
+A function that can be used to register a handler that will be called when the user is leaving the current application, allowing to prompt a confirmation message before actually changing the page.
+
+This will be called either when the user goes to another application, or when trying to close the tab or manually changing the url.
+
+<b>Signature:</b>
+
+```typescript
+onAppLeave: (handler: AppLeaveHandler) => void;
+```
+
+## Example
+
+
+```ts
+// application.tsx
+import React from 'react';
+import ReactDOM from 'react-dom';
+import { BrowserRouter, Route } from 'react-router-dom';
+
+import { CoreStart, AppMountParams } from 'src/core/public';
+import { MyPluginDepsStart } from './plugin';
+
+export renderApp = ({ appBasePath, element, onAppLeave }: AppMountParams) => {
+   const { renderApp, hasUnsavedChanges } = await import('./application');
+   onAppLeave(actions => {
+     if(hasUnsavedChanges()) {
+       return actions.confirm('Some changes were not saved. Are you sure you want to leave?');
+     }
+     return actions.default();
+   });
+   return renderApp(params);
+}
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md b/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
index d6b22ac2b9217..be6953c6f3667 100644
--- a/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appnavlinkstatus.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
-
-## AppNavLinkStatus enum
-
-Status of the application's navLink.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppNavLinkStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  default | <code>0</code> | The application navLink will be <code>visible</code> if the application's [AppStatus](./kibana-plugin-public.appstatus.md) is set to <code>accessible</code> and <code>hidden</code> if the application status is set to <code>inaccessible</code>. |
-|  disabled | <code>2</code> | The application navLink is visible but inactive and not clickable in the navigation bar. |
-|  hidden | <code>3</code> | The application navLink does not appear in the navigation bar. |
-|  visible | <code>1</code> | The application navLink is visible and clickable in the navigation bar. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md)
+
+## AppNavLinkStatus enum
+
+Status of the application's navLink.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppNavLinkStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  default | <code>0</code> | The application navLink will be <code>visible</code> if the application's [AppStatus](./kibana-plugin-public.appstatus.md) is set to <code>accessible</code> and <code>hidden</code> if the application status is set to <code>inaccessible</code>. |
+|  disabled | <code>2</code> | The application navLink is visible but inactive and not clickable in the navigation bar. |
+|  hidden | <code>3</code> | The application navLink does not appear in the navigation bar. |
+|  visible | <code>1</code> | The application navLink is visible and clickable in the navigation bar. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appstatus.md b/docs/development/core/public/kibana-plugin-public.appstatus.md
index 23fb7186569da..35b7b4cb224d9 100644
--- a/docs/development/core/public/kibana-plugin-public.appstatus.md
+++ b/docs/development/core/public/kibana-plugin-public.appstatus.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppStatus](./kibana-plugin-public.appstatus.md)
-
-## AppStatus enum
-
-Accessibility status of an application.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AppStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  accessible | <code>0</code> | Application is accessible. |
-|  inaccessible | <code>1</code> | Application is not accessible. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppStatus](./kibana-plugin-public.appstatus.md)
+
+## AppStatus enum
+
+Accessibility status of an application.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AppStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  accessible | <code>0</code> | Application is accessible. |
+|  inaccessible | <code>1</code> | Application is not accessible. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.appunmount.md b/docs/development/core/public/kibana-plugin-public.appunmount.md
index 61782d19ca8c5..041a9ab3dbc0b 100644
--- a/docs/development/core/public/kibana-plugin-public.appunmount.md
+++ b/docs/development/core/public/kibana-plugin-public.appunmount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUnmount](./kibana-plugin-public.appunmount.md)
-
-## AppUnmount type
-
-A function called when an application should be unmounted from the page. This function should be synchronous.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUnmount = () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUnmount](./kibana-plugin-public.appunmount.md)
+
+## AppUnmount type
+
+A function called when an application should be unmounted from the page. This function should be synchronous.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUnmount = () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appupdatablefields.md b/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
index b9260c79cd972..f588773976143 100644
--- a/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
+++ b/docs/development/core/public/kibana-plugin-public.appupdatablefields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md)
-
-## AppUpdatableFields type
-
-Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUpdatableFields = Pick<AppBase, 'status' | 'navLinkStatus' | 'tooltip'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md)
+
+## AppUpdatableFields type
+
+Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUpdatableFields = Pick<AppBase, 'status' | 'navLinkStatus' | 'tooltip'>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.appupdater.md b/docs/development/core/public/kibana-plugin-public.appupdater.md
index f1b965cc2fc22..75f489e6346f3 100644
--- a/docs/development/core/public/kibana-plugin-public.appupdater.md
+++ b/docs/development/core/public/kibana-plugin-public.appupdater.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdater](./kibana-plugin-public.appupdater.md)
-
-## AppUpdater type
-
-Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type AppUpdater = (app: AppBase) => Partial<AppUpdatableFields> | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [AppUpdater](./kibana-plugin-public.appupdater.md)
+
+## AppUpdater type
+
+Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type AppUpdater = (app: AppBase) => Partial<AppUpdatableFields> | undefined;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md b/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
index ea3380d70053b..8f46a42dc3b78 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.catalogue.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [catalogue](./kibana-plugin-public.capabilities.catalogue.md)
-
-## Capabilities.catalogue property
-
-Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
-
-<b>Signature:</b>
-
-```typescript
-catalogue: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [catalogue](./kibana-plugin-public.capabilities.catalogue.md)
+
+## Capabilities.catalogue property
+
+Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
+
+<b>Signature:</b>
+
+```typescript
+catalogue: Record<string, boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.management.md b/docs/development/core/public/kibana-plugin-public.capabilities.management.md
index 5f4c159aef974..59037240382b4 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.management.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.management.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [management](./kibana-plugin-public.capabilities.management.md)
-
-## Capabilities.management property
-
-Management section capabilities.
-
-<b>Signature:</b>
-
-```typescript
-management: {
-        [sectionId: string]: Record<string, boolean>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [management](./kibana-plugin-public.capabilities.management.md)
+
+## Capabilities.management property
+
+Management section capabilities.
+
+<b>Signature:</b>
+
+```typescript
+management: {
+        [sectionId: string]: Record<string, boolean>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.md b/docs/development/core/public/kibana-plugin-public.capabilities.md
index e7dc542e6ed5e..5a6d611f8afb7 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md)
-
-## Capabilities interface
-
-The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
-
-<b>Signature:</b>
-
-```typescript
-export interface Capabilities 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [catalogue](./kibana-plugin-public.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
-|  [management](./kibana-plugin-public.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
-|  [navLinks](./kibana-plugin-public.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md)
+
+## Capabilities interface
+
+The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
+
+<b>Signature:</b>
+
+```typescript
+export interface Capabilities 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [catalogue](./kibana-plugin-public.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
+|  [management](./kibana-plugin-public.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
+|  [navLinks](./kibana-plugin-public.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md b/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
index a6c337ef70277..804ff1fef534a 100644
--- a/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.capabilities.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [navLinks](./kibana-plugin-public.capabilities.navlinks.md)
-
-## Capabilities.navLinks property
-
-Navigation link capabilities.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Capabilities](./kibana-plugin-public.capabilities.md) &gt; [navLinks](./kibana-plugin-public.capabilities.navlinks.md)
+
+## Capabilities.navLinks property
+
+Navigation link capabilities.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: Record<string, boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md b/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
index 535b0cb627e7e..cfb129b3f4796 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.icontype.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [iconType](./kibana-plugin-public.chromebadge.icontype.md)
-
-## ChromeBadge.iconType property
-
-<b>Signature:</b>
-
-```typescript
-iconType?: IconType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [iconType](./kibana-plugin-public.chromebadge.icontype.md)
+
+## ChromeBadge.iconType property
+
+<b>Signature:</b>
+
+```typescript
+iconType?: IconType;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.md b/docs/development/core/public/kibana-plugin-public.chromebadge.md
index 5323193dcdd0e..b2286986926ed 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md)
-
-## ChromeBadge interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeBadge 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [iconType](./kibana-plugin-public.chromebadge.icontype.md) | <code>IconType</code> |  |
-|  [text](./kibana-plugin-public.chromebadge.text.md) | <code>string</code> |  |
-|  [tooltip](./kibana-plugin-public.chromebadge.tooltip.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md)
+
+## ChromeBadge interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeBadge 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [iconType](./kibana-plugin-public.chromebadge.icontype.md) | <code>IconType</code> |  |
+|  [text](./kibana-plugin-public.chromebadge.text.md) | <code>string</code> |  |
+|  [tooltip](./kibana-plugin-public.chromebadge.tooltip.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.text.md b/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
index 5b334a8440ee2..59c5aedeaa44e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.text.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [text](./kibana-plugin-public.chromebadge.text.md)
-
-## ChromeBadge.text property
-
-<b>Signature:</b>
-
-```typescript
-text: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [text](./kibana-plugin-public.chromebadge.text.md)
+
+## ChromeBadge.text property
+
+<b>Signature:</b>
+
+```typescript
+text: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md b/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
index a1a0590cf093d..d37fdb5bdaf30 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebadge.tooltip.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [tooltip](./kibana-plugin-public.chromebadge.tooltip.md)
-
-## ChromeBadge.tooltip property
-
-<b>Signature:</b>
-
-```typescript
-tooltip: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBadge](./kibana-plugin-public.chromebadge.md) &gt; [tooltip](./kibana-plugin-public.chromebadge.tooltip.md)
+
+## ChromeBadge.tooltip property
+
+<b>Signature:</b>
+
+```typescript
+tooltip: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md b/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
index 7edbfb97fba95..99eaf8e222855 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.logo.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [logo](./kibana-plugin-public.chromebrand.logo.md)
-
-## ChromeBrand.logo property
-
-<b>Signature:</b>
-
-```typescript
-logo?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [logo](./kibana-plugin-public.chromebrand.logo.md)
+
+## ChromeBrand.logo property
+
+<b>Signature:</b>
+
+```typescript
+logo?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.md b/docs/development/core/public/kibana-plugin-public.chromebrand.md
index 42af5255c0042..87c146b2b4c28 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md)
-
-## ChromeBrand interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeBrand 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [logo](./kibana-plugin-public.chromebrand.logo.md) | <code>string</code> |  |
-|  [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md)
+
+## ChromeBrand interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeBrand 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [logo](./kibana-plugin-public.chromebrand.logo.md) | <code>string</code> |  |
+|  [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md b/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
index 53d05ed89144a..85c933ac5814e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebrand.smalllogo.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md)
-
-## ChromeBrand.smallLogo property
-
-<b>Signature:</b>
-
-```typescript
-smallLogo?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBrand](./kibana-plugin-public.chromebrand.md) &gt; [smallLogo](./kibana-plugin-public.chromebrand.smalllogo.md)
+
+## ChromeBrand.smallLogo property
+
+<b>Signature:</b>
+
+```typescript
+smallLogo?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md b/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
index 9350b56ce5f60..4738487d6674a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
+++ b/docs/development/core/public/kibana-plugin-public.chromebreadcrumb.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md)
-
-## ChromeBreadcrumb type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeBreadcrumb = EuiBreadcrumb;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md)
+
+## ChromeBreadcrumb type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeBreadcrumb = EuiBreadcrumb;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
index eba149bf93a4c..c132b4b54337e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.change.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [change](./kibana-plugin-public.chromedoctitle.change.md)
-
-## ChromeDocTitle.change() method
-
-Changes the current document title.
-
-<b>Signature:</b>
-
-```typescript
-change(newTitle: string | string[]): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  newTitle | <code>string &#124; string[]</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to change the title of the document
-
-```ts
-chrome.docTitle.change('My application title')
-chrome.docTitle.change(['My application', 'My section'])
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [change](./kibana-plugin-public.chromedoctitle.change.md)
+
+## ChromeDocTitle.change() method
+
+Changes the current document title.
+
+<b>Signature:</b>
+
+```typescript
+change(newTitle: string | string[]): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  newTitle | <code>string &#124; string[]</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to change the title of the document
+
+```ts
+chrome.docTitle.change('My application title')
+chrome.docTitle.change(['My application', 'My section'])
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
index feb3b3ab966ef..624940b612ddb 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.md
@@ -1,39 +1,39 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md)
-
-## ChromeDocTitle interface
-
-APIs for accessing and updating the document title.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeDocTitle 
-```
-
-## Example 1
-
-How to change the title of the document
-
-```ts
-chrome.docTitle.change('My application')
-
-```
-
-## Example 2
-
-How to reset the title of the document to it's initial value
-
-```ts
-chrome.docTitle.reset()
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [change(newTitle)](./kibana-plugin-public.chromedoctitle.change.md) | Changes the current document title. |
-|  [reset()](./kibana-plugin-public.chromedoctitle.reset.md) | Resets the document title to it's initial value. (meaning the one present in the title meta at application load.) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md)
+
+## ChromeDocTitle interface
+
+APIs for accessing and updating the document title.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeDocTitle 
+```
+
+## Example 1
+
+How to change the title of the document
+
+```ts
+chrome.docTitle.change('My application')
+
+```
+
+## Example 2
+
+How to reset the title of the document to it's initial value
+
+```ts
+chrome.docTitle.reset()
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [change(newTitle)](./kibana-plugin-public.chromedoctitle.change.md) | Changes the current document title. |
+|  [reset()](./kibana-plugin-public.chromedoctitle.reset.md) | Resets the document title to it's initial value. (meaning the one present in the title meta at application load.) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md b/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
index 4b4c6f573e006..97933c443125a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
+++ b/docs/development/core/public/kibana-plugin-public.chromedoctitle.reset.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [reset](./kibana-plugin-public.chromedoctitle.reset.md)
-
-## ChromeDocTitle.reset() method
-
-Resets the document title to it's initial value. (meaning the one present in the title meta at application load.)
-
-<b>Signature:</b>
-
-```typescript
-reset(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) &gt; [reset](./kibana-plugin-public.chromedoctitle.reset.md)
+
+## ChromeDocTitle.reset() method
+
+Resets the document title to it's initial value. (meaning the one present in the title meta at application load.)
+
+<b>Signature:</b>
+
+```typescript
+reset(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
index d817238c9287d..e5bb6c19a807b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.appname.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [appName](./kibana-plugin-public.chromehelpextension.appname.md)
-
-## ChromeHelpExtension.appName property
-
-Provide your plugin's name to create a header for separation
-
-<b>Signature:</b>
-
-```typescript
-appName: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [appName](./kibana-plugin-public.chromehelpextension.appname.md)
+
+## ChromeHelpExtension.appName property
+
+Provide your plugin's name to create a header for separation
+
+<b>Signature:</b>
+
+```typescript
+appName: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
index b51d4928e991d..b9b38dc20774f 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.content.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [content](./kibana-plugin-public.chromehelpextension.content.md)
-
-## ChromeHelpExtension.content property
-
-Custom content to occur below the list of links
-
-<b>Signature:</b>
-
-```typescript
-content?: (element: HTMLDivElement) => () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [content](./kibana-plugin-public.chromehelpextension.content.md)
+
+## ChromeHelpExtension.content property
+
+Custom content to occur below the list of links
+
+<b>Signature:</b>
+
+```typescript
+content?: (element: HTMLDivElement) => () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
index de17ca8d86e37..76e805eb993ad 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.links.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [links](./kibana-plugin-public.chromehelpextension.links.md)
-
-## ChromeHelpExtension.links property
-
-Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button
-
-<b>Signature:</b>
-
-```typescript
-links?: ChromeHelpExtensionMenuLink[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) &gt; [links](./kibana-plugin-public.chromehelpextension.links.md)
+
+## ChromeHelpExtension.links property
+
+Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button
+
+<b>Signature:</b>
+
+```typescript
+links?: ChromeHelpExtensionMenuLink[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextension.md b/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
index 6f0007335c555..4c870ef9afba0 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextension.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md)
-
-## ChromeHelpExtension interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeHelpExtension 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [appName](./kibana-plugin-public.chromehelpextension.appname.md) | <code>string</code> | Provide your plugin's name to create a header for separation |
-|  [content](./kibana-plugin-public.chromehelpextension.content.md) | <code>(element: HTMLDivElement) =&gt; () =&gt; void</code> | Custom content to occur below the list of links |
-|  [links](./kibana-plugin-public.chromehelpextension.links.md) | <code>ChromeHelpExtensionMenuLink[]</code> | Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md)
+
+## ChromeHelpExtension interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeHelpExtension 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [appName](./kibana-plugin-public.chromehelpextension.appname.md) | <code>string</code> | Provide your plugin's name to create a header for separation |
+|  [content](./kibana-plugin-public.chromehelpextension.content.md) | <code>(element: HTMLDivElement) =&gt; () =&gt; void</code> | Custom content to occur below the list of links |
+|  [links](./kibana-plugin-public.chromehelpextension.links.md) | <code>ChromeHelpExtensionMenuLink[]</code> | Creates unified links for sending users to documentation, GitHub, Discuss, or a custom link/button |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
index daca70f3b79c1..3eed2ad36dc03 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenucustomlink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md)
-
-## ChromeHelpExtensionMenuCustomLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuCustomLink = EuiButtonEmptyProps & {
-    linkType: 'custom';
-    content: React.ReactNode;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md)
+
+## ChromeHelpExtensionMenuCustomLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuCustomLink = EuiButtonEmptyProps & {
+    linkType: 'custom';
+    content: React.ReactNode;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
index 8dd1c796bebf1..3885712ce9420 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudiscusslink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md)
-
-## ChromeHelpExtensionMenuDiscussLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuDiscussLink = EuiButtonEmptyProps & {
-    linkType: 'discuss';
-    href: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md)
+
+## ChromeHelpExtensionMenuDiscussLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuDiscussLink = EuiButtonEmptyProps & {
+    linkType: 'discuss';
+    href: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
index 0114cc245a874..25ea1690154c2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenudocumentationlink.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md)
-
-## ChromeHelpExtensionMenuDocumentationLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuDocumentationLink = EuiButtonEmptyProps & {
-    linkType: 'documentation';
-    href: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md)
+
+## ChromeHelpExtensionMenuDocumentationLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuDocumentationLink = EuiButtonEmptyProps & {
+    linkType: 'documentation';
+    href: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
index 5dd33f1a05a7f..2dc1b5b4cee5b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenugithublink.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md)
-
-## ChromeHelpExtensionMenuGitHubLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuGitHubLink = EuiButtonEmptyProps & {
-    linkType: 'github';
-    labels: string[];
-    title?: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md)
+
+## ChromeHelpExtensionMenuGitHubLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuGitHubLink = EuiButtonEmptyProps & {
+    linkType: 'github';
+    labels: string[];
+    title?: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
index 072ce165e23c5..ce55fdedab155 100644
--- a/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromehelpextensionmenulink.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md)
-
-## ChromeHelpExtensionMenuLink type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeHelpExtensionMenuLink = ExclusiveUnion<ChromeHelpExtensionMenuGitHubLink, ExclusiveUnion<ChromeHelpExtensionMenuDiscussLink, ExclusiveUnion<ChromeHelpExtensionMenuDocumentationLink, ChromeHelpExtensionMenuCustomLink>>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md)
+
+## ChromeHelpExtensionMenuLink type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeHelpExtensionMenuLink = ExclusiveUnion<ChromeHelpExtensionMenuGitHubLink, ExclusiveUnion<ChromeHelpExtensionMenuDiscussLink, ExclusiveUnion<ChromeHelpExtensionMenuDocumentationLink, ChromeHelpExtensionMenuCustomLink>>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
index fdf56012e4729..afaef97411774 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md)
-
-## ChromeNavControl interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavControl 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [mount](./kibana-plugin-public.chromenavcontrol.mount.md) | <code>MountPoint</code> |  |
-|  [order](./kibana-plugin-public.chromenavcontrol.order.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md)
+
+## ChromeNavControl interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavControl 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [mount](./kibana-plugin-public.chromenavcontrol.mount.md) | <code>MountPoint</code> |  |
+|  [order](./kibana-plugin-public.chromenavcontrol.order.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
index 3e1f5a1f78f89..6d574900fd16a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.mount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [mount](./kibana-plugin-public.chromenavcontrol.mount.md)
-
-## ChromeNavControl.mount property
-
-<b>Signature:</b>
-
-```typescript
-mount: MountPoint;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [mount](./kibana-plugin-public.chromenavcontrol.mount.md)
+
+## ChromeNavControl.mount property
+
+<b>Signature:</b>
+
+```typescript
+mount: MountPoint;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
index 22e84cebab63a..10ad35c602d21 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrol.order.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [order](./kibana-plugin-public.chromenavcontrol.order.md)
-
-## ChromeNavControl.order property
-
-<b>Signature:</b>
-
-```typescript
-order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) &gt; [order](./kibana-plugin-public.chromenavcontrol.order.md)
+
+## ChromeNavControl.order property
+
+<b>Signature:</b>
+
+```typescript
+order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
index 30b9a6869d1ff..f70e63ff0f2c2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md)
-
-## ChromeNavControls interface
-
-[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavControls 
-```
-
-## Example
-
-Register a left-side nav control rendered with React.
-
-```jsx
-chrome.navControls.registerLeft({
-  mount(targetDomElement) {
-    ReactDOM.mount(<MyControl />, targetDomElement);
-    return () => ReactDOM.unmountComponentAtNode(targetDomElement);
-  }
-})
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [registerLeft(navControl)](./kibana-plugin-public.chromenavcontrols.registerleft.md) | Register a nav control to be presented on the left side of the chrome header. |
-|  [registerRight(navControl)](./kibana-plugin-public.chromenavcontrols.registerright.md) | Register a nav control to be presented on the right side of the chrome header. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md)
+
+## ChromeNavControls interface
+
+[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavControls 
+```
+
+## Example
+
+Register a left-side nav control rendered with React.
+
+```jsx
+chrome.navControls.registerLeft({
+  mount(targetDomElement) {
+    ReactDOM.mount(<MyControl />, targetDomElement);
+    return () => ReactDOM.unmountComponentAtNode(targetDomElement);
+  }
+})
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [registerLeft(navControl)](./kibana-plugin-public.chromenavcontrols.registerleft.md) | Register a nav control to be presented on the left side of the chrome header. |
+|  [registerRight(navControl)](./kibana-plugin-public.chromenavcontrols.registerright.md) | Register a nav control to be presented on the right side of the chrome header. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
index 31867991fc041..72cf45deaa52f 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerleft.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerLeft](./kibana-plugin-public.chromenavcontrols.registerleft.md)
-
-## ChromeNavControls.registerLeft() method
-
-Register a nav control to be presented on the left side of the chrome header.
-
-<b>Signature:</b>
-
-```typescript
-registerLeft(navControl: ChromeNavControl): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  navControl | <code>ChromeNavControl</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerLeft](./kibana-plugin-public.chromenavcontrols.registerleft.md)
+
+## ChromeNavControls.registerLeft() method
+
+Register a nav control to be presented on the left side of the chrome header.
+
+<b>Signature:</b>
+
+```typescript
+registerLeft(navControl: ChromeNavControl): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  navControl | <code>ChromeNavControl</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
index a6c17803561b2..6e5dab83e6b53 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavcontrols.registerright.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerRight](./kibana-plugin-public.chromenavcontrols.registerright.md)
-
-## ChromeNavControls.registerRight() method
-
-Register a nav control to be presented on the right side of the chrome header.
-
-<b>Signature:</b>
-
-```typescript
-registerRight(navControl: ChromeNavControl): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  navControl | <code>ChromeNavControl</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) &gt; [registerRight](./kibana-plugin-public.chromenavcontrols.registerright.md)
+
+## ChromeNavControls.registerRight() method
+
+Register a nav control to be presented on the right side of the chrome header.
+
+<b>Signature:</b>
+
+```typescript
+registerRight(navControl: ChromeNavControl): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  navControl | <code>ChromeNavControl</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
index 9cb278916dc4a..115dadaaeb31a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.active.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [active](./kibana-plugin-public.chromenavlink.active.md)
-
-## ChromeNavLink.active property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Indicates whether or not this app is currently on the screen.
-
-<b>Signature:</b>
-
-```typescript
-readonly active?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [active](./kibana-plugin-public.chromenavlink.active.md)
+
+## ChromeNavLink.active property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Indicates whether or not this app is currently on the screen.
+
+<b>Signature:</b>
+
+```typescript
+readonly active?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
index 780a17617be04..995cf040d9b80 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.baseurl.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md)
-
-## ChromeNavLink.baseUrl property
-
-The base route used to open the root of an application.
-
-<b>Signature:</b>
-
-```typescript
-readonly baseUrl: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md)
+
+## ChromeNavLink.baseUrl property
+
+The base route used to open the root of an application.
+
+<b>Signature:</b>
+
+```typescript
+readonly baseUrl: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
index 19d5a43a29307..231bbcddc16c4 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [category](./kibana-plugin-public.chromenavlink.category.md)
-
-## ChromeNavLink.category property
-
-The category the app lives in
-
-<b>Signature:</b>
-
-```typescript
-readonly category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [category](./kibana-plugin-public.chromenavlink.category.md)
+
+## ChromeNavLink.category property
+
+The category the app lives in
+
+<b>Signature:</b>
+
+```typescript
+readonly category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
index d2b30530dd551..c232b095d4047 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.disabled.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [disabled](./kibana-plugin-public.chromenavlink.disabled.md)
-
-## ChromeNavLink.disabled property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Disables a link from being clickable.
-
-<b>Signature:</b>
-
-```typescript
-readonly disabled?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [disabled](./kibana-plugin-public.chromenavlink.disabled.md)
+
+## ChromeNavLink.disabled property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Disables a link from being clickable.
+
+<b>Signature:</b>
+
+```typescript
+readonly disabled?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
index 5373e4705d1b3..2c9f872a97ff2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.euiicontype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md)
-
-## ChromeNavLink.euiIconType property
-
-A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
-
-<b>Signature:</b>
-
-```typescript
-readonly euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md)
+
+## ChromeNavLink.euiIconType property
+
+A EUI iconType that will be used for the app's icon. This icon takes precendence over the `icon` property.
+
+<b>Signature:</b>
+
+```typescript
+readonly euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
index 6d04ab6d78851..e3071ce3f161e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.hidden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [hidden](./kibana-plugin-public.chromenavlink.hidden.md)
-
-## ChromeNavLink.hidden property
-
-Hides a link from the navigation.
-
-<b>Signature:</b>
-
-```typescript
-readonly hidden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [hidden](./kibana-plugin-public.chromenavlink.hidden.md)
+
+## ChromeNavLink.hidden property
+
+Hides a link from the navigation.
+
+<b>Signature:</b>
+
+```typescript
+readonly hidden?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
index dadb2ab044640..0bad3ba8e192d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.icon.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [icon](./kibana-plugin-public.chromenavlink.icon.md)
-
-## ChromeNavLink.icon property
-
-A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
-
-<b>Signature:</b>
-
-```typescript
-readonly icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [icon](./kibana-plugin-public.chromenavlink.icon.md)
+
+## ChromeNavLink.icon property
+
+A URL to an image file used as an icon. Used as a fallback if `euiIconType` is not provided.
+
+<b>Signature:</b>
+
+```typescript
+readonly icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
index 7fbabc4a42032..a06a9465d19d1 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [id](./kibana-plugin-public.chromenavlink.id.md)
-
-## ChromeNavLink.id property
-
-A unique identifier for looking up links.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [id](./kibana-plugin-public.chromenavlink.id.md)
+
+## ChromeNavLink.id property
+
+A unique identifier for looking up links.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
index 7d76f4dc62be4..826762a29c30f 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.linktolastsuburl.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md)
-
-## ChromeNavLink.linkToLastSubUrl property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Whether or not the subUrl feature should be enabled.
-
-<b>Signature:</b>
-
-```typescript
-readonly linkToLastSubUrl?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md)
+
+## ChromeNavLink.linkToLastSubUrl property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Whether or not the subUrl feature should be enabled.
+
+<b>Signature:</b>
+
+```typescript
+readonly linkToLastSubUrl?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.md
index 2afd6ce2d58c4..7e7849b1a1358 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md)
-
-## ChromeNavLink interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavLink 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [active](./kibana-plugin-public.chromenavlink.active.md) | <code>boolean</code> | Indicates whether or not this app is currently on the screen. |
-|  [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md) | <code>string</code> | The base route used to open the root of an application. |
-|  [category](./kibana-plugin-public.chromenavlink.category.md) | <code>AppCategory</code> | The category the app lives in |
-|  [disabled](./kibana-plugin-public.chromenavlink.disabled.md) | <code>boolean</code> | Disables a link from being clickable. |
-|  [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
-|  [hidden](./kibana-plugin-public.chromenavlink.hidden.md) | <code>boolean</code> | Hides a link from the navigation. |
-|  [icon](./kibana-plugin-public.chromenavlink.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
-|  [id](./kibana-plugin-public.chromenavlink.id.md) | <code>string</code> | A unique identifier for looking up links. |
-|  [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md) | <code>boolean</code> | Whether or not the subUrl feature should be enabled. |
-|  [order](./kibana-plugin-public.chromenavlink.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
-|  [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md) | <code>string</code> | A url base that legacy apps can set to match deep URLs to an application. |
-|  [title](./kibana-plugin-public.chromenavlink.title.md) | <code>string</code> | The title of the application. |
-|  [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md) | <code>string</code> | A tooltip shown when hovering over an app link. |
-|  [url](./kibana-plugin-public.chromenavlink.url.md) | <code>string</code> | A url that legacy apps can set to deep link into their applications. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md)
+
+## ChromeNavLink interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavLink 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [active](./kibana-plugin-public.chromenavlink.active.md) | <code>boolean</code> | Indicates whether or not this app is currently on the screen. |
+|  [baseUrl](./kibana-plugin-public.chromenavlink.baseurl.md) | <code>string</code> | The base route used to open the root of an application. |
+|  [category](./kibana-plugin-public.chromenavlink.category.md) | <code>AppCategory</code> | The category the app lives in |
+|  [disabled](./kibana-plugin-public.chromenavlink.disabled.md) | <code>boolean</code> | Disables a link from being clickable. |
+|  [euiIconType](./kibana-plugin-public.chromenavlink.euiicontype.md) | <code>string</code> | A EUI iconType that will be used for the app's icon. This icon takes precendence over the <code>icon</code> property. |
+|  [hidden](./kibana-plugin-public.chromenavlink.hidden.md) | <code>boolean</code> | Hides a link from the navigation. |
+|  [icon](./kibana-plugin-public.chromenavlink.icon.md) | <code>string</code> | A URL to an image file used as an icon. Used as a fallback if <code>euiIconType</code> is not provided. |
+|  [id](./kibana-plugin-public.chromenavlink.id.md) | <code>string</code> | A unique identifier for looking up links. |
+|  [linkToLastSubUrl](./kibana-plugin-public.chromenavlink.linktolastsuburl.md) | <code>boolean</code> | Whether or not the subUrl feature should be enabled. |
+|  [order](./kibana-plugin-public.chromenavlink.order.md) | <code>number</code> | An ordinal used to sort nav links relative to one another for display. |
+|  [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md) | <code>string</code> | A url base that legacy apps can set to match deep URLs to an application. |
+|  [title](./kibana-plugin-public.chromenavlink.title.md) | <code>string</code> | The title of the application. |
+|  [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md) | <code>string</code> | A tooltip shown when hovering over an app link. |
+|  [url](./kibana-plugin-public.chromenavlink.url.md) | <code>string</code> | A url that legacy apps can set to deep link into their applications. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
index 1fef9fc1dc359..6716d4ce8668d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.order.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [order](./kibana-plugin-public.chromenavlink.order.md)
-
-## ChromeNavLink.order property
-
-An ordinal used to sort nav links relative to one another for display.
-
-<b>Signature:</b>
-
-```typescript
-readonly order?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [order](./kibana-plugin-public.chromenavlink.order.md)
+
+## ChromeNavLink.order property
+
+An ordinal used to sort nav links relative to one another for display.
+
+<b>Signature:</b>
+
+```typescript
+readonly order?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
index 1b8fb0574cf8b..055b39e996880 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.suburlbase.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md)
-
-## ChromeNavLink.subUrlBase property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A url base that legacy apps can set to match deep URLs to an application.
-
-<b>Signature:</b>
-
-```typescript
-readonly subUrlBase?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [subUrlBase](./kibana-plugin-public.chromenavlink.suburlbase.md)
+
+## ChromeNavLink.subUrlBase property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A url base that legacy apps can set to match deep URLs to an application.
+
+<b>Signature:</b>
+
+```typescript
+readonly subUrlBase?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
index a693b971d5178..6129165a0bce1 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [title](./kibana-plugin-public.chromenavlink.title.md)
-
-## ChromeNavLink.title property
-
-The title of the application.
-
-<b>Signature:</b>
-
-```typescript
-readonly title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [title](./kibana-plugin-public.chromenavlink.title.md)
+
+## ChromeNavLink.title property
+
+The title of the application.
+
+<b>Signature:</b>
+
+```typescript
+readonly title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
index e1ff92d8d7442..4df513f986680 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.tooltip.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md)
-
-## ChromeNavLink.tooltip property
-
-A tooltip shown when hovering over an app link.
-
-<b>Signature:</b>
-
-```typescript
-readonly tooltip?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [tooltip](./kibana-plugin-public.chromenavlink.tooltip.md)
+
+## ChromeNavLink.tooltip property
+
+A tooltip shown when hovering over an app link.
+
+<b>Signature:</b>
+
+```typescript
+readonly tooltip?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md b/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
index 33bd8fa3411d4..d8589cf3e5223 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlink.url.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [url](./kibana-plugin-public.chromenavlink.url.md)
-
-## ChromeNavLink.url property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-A url that legacy apps can set to deep link into their applications.
-
-<b>Signature:</b>
-
-```typescript
-readonly url?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) &gt; [url](./kibana-plugin-public.chromenavlink.url.md)
+
+## ChromeNavLink.url property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+A url that legacy apps can set to deep link into their applications.
+
+<b>Signature:</b>
+
+```typescript
+readonly url?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
index 3a057f096959a..768b3a977928a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [enableForcedAppSwitcherNavigation](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md)
-
-## ChromeNavLinks.enableForcedAppSwitcherNavigation() method
-
-Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated.
-
-<b>Signature:</b>
-
-```typescript
-enableForcedAppSwitcherNavigation(): void;
-```
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-This is only necessary when rendering the status page in place of another app, as links to that app will set the current URL and change the hash, but the routes for the correct are not loaded so nothing will happen. https://github.com/elastic/kibana/pull/29770
-
-Used only by status\_page plugin
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [enableForcedAppSwitcherNavigation](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md)
+
+## ChromeNavLinks.enableForcedAppSwitcherNavigation() method
+
+Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated.
+
+<b>Signature:</b>
+
+```typescript
+enableForcedAppSwitcherNavigation(): void;
+```
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+This is only necessary when rendering the status page in place of another app, as links to that app will set the current URL and change the hash, but the routes for the correct are not loaded so nothing will happen. https://github.com/elastic/kibana/pull/29770
+
+Used only by status\_page plugin
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
index fb20c3eaeb43a..3018a31ea43fa 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.get.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [get](./kibana-plugin-public.chromenavlinks.get.md)
-
-## ChromeNavLinks.get() method
-
-Get the state of a navlink at this point in time.
-
-<b>Signature:</b>
-
-```typescript
-get(id: string): ChromeNavLink | undefined;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ChromeNavLink | undefined`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [get](./kibana-plugin-public.chromenavlinks.get.md)
+
+## ChromeNavLinks.get() method
+
+Get the state of a navlink at this point in time.
+
+<b>Signature:</b>
+
+```typescript
+get(id: string): ChromeNavLink | undefined;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ChromeNavLink | undefined`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
index b483ba485139e..c80cf764927f5 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getall.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getAll](./kibana-plugin-public.chromenavlinks.getall.md)
-
-## ChromeNavLinks.getAll() method
-
-Get the current state of all navlinks.
-
-<b>Signature:</b>
-
-```typescript
-getAll(): Array<Readonly<ChromeNavLink>>;
-```
-<b>Returns:</b>
-
-`Array<Readonly<ChromeNavLink>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getAll](./kibana-plugin-public.chromenavlinks.getall.md)
+
+## ChromeNavLinks.getAll() method
+
+Get the current state of all navlinks.
+
+<b>Signature:</b>
+
+```typescript
+getAll(): Array<Readonly<ChromeNavLink>>;
+```
+<b>Returns:</b>
+
+`Array<Readonly<ChromeNavLink>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
index f31e30fbda3fa..3f8cf7118172e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getForceAppSwitcherNavigation$](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md)
-
-## ChromeNavLinks.getForceAppSwitcherNavigation$() method
-
-An observable of the forced app switcher state.
-
-<b>Signature:</b>
-
-```typescript
-getForceAppSwitcherNavigation$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getForceAppSwitcherNavigation$](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md)
+
+## ChromeNavLinks.getForceAppSwitcherNavigation$() method
+
+An observable of the forced app switcher state.
+
+<b>Signature:</b>
+
+```typescript
+getForceAppSwitcherNavigation$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
index c455b1c6c1446..628544c2b0081 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.getnavlinks_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getNavLinks$](./kibana-plugin-public.chromenavlinks.getnavlinks_.md)
-
-## ChromeNavLinks.getNavLinks$() method
-
-Get an observable for a sorted list of navlinks.
-
-<b>Signature:</b>
-
-```typescript
-getNavLinks$(): Observable<Array<Readonly<ChromeNavLink>>>;
-```
-<b>Returns:</b>
-
-`Observable<Array<Readonly<ChromeNavLink>>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [getNavLinks$](./kibana-plugin-public.chromenavlinks.getnavlinks_.md)
+
+## ChromeNavLinks.getNavLinks$() method
+
+Get an observable for a sorted list of navlinks.
+
+<b>Signature:</b>
+
+```typescript
+getNavLinks$(): Observable<Array<Readonly<ChromeNavLink>>>;
+```
+<b>Returns:</b>
+
+`Observable<Array<Readonly<ChromeNavLink>>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
index 6deb57d9548c6..9f0267a3d09d4 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.has.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [has](./kibana-plugin-public.chromenavlinks.has.md)
-
-## ChromeNavLinks.has() method
-
-Check whether or not a navlink exists.
-
-<b>Signature:</b>
-
-```typescript
-has(id: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [has](./kibana-plugin-public.chromenavlinks.has.md)
+
+## ChromeNavLinks.has() method
+
+Check whether or not a navlink exists.
+
+<b>Signature:</b>
+
+```typescript
+has(id: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
index 280277911c695..3a8222c97cd97 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md)
-
-## ChromeNavLinks interface
-
-[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeNavLinks 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [enableForcedAppSwitcherNavigation()](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md) | Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated. |
-|  [get(id)](./kibana-plugin-public.chromenavlinks.get.md) | Get the state of a navlink at this point in time. |
-|  [getAll()](./kibana-plugin-public.chromenavlinks.getall.md) | Get the current state of all navlinks. |
-|  [getForceAppSwitcherNavigation$()](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md) | An observable of the forced app switcher state. |
-|  [getNavLinks$()](./kibana-plugin-public.chromenavlinks.getnavlinks_.md) | Get an observable for a sorted list of navlinks. |
-|  [has(id)](./kibana-plugin-public.chromenavlinks.has.md) | Check whether or not a navlink exists. |
-|  [showOnly(id)](./kibana-plugin-public.chromenavlinks.showonly.md) | Remove all navlinks except the one matching the given id. |
-|  [update(id, values)](./kibana-plugin-public.chromenavlinks.update.md) | Update the navlink for the given id with the updated attributes. Returns the updated navlink or <code>undefined</code> if it does not exist. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md)
+
+## ChromeNavLinks interface
+
+[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeNavLinks 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [enableForcedAppSwitcherNavigation()](./kibana-plugin-public.chromenavlinks.enableforcedappswitchernavigation.md) | Enable forced navigation mode, which will trigger a page refresh when a nav link is clicked and only the hash is updated. |
+|  [get(id)](./kibana-plugin-public.chromenavlinks.get.md) | Get the state of a navlink at this point in time. |
+|  [getAll()](./kibana-plugin-public.chromenavlinks.getall.md) | Get the current state of all navlinks. |
+|  [getForceAppSwitcherNavigation$()](./kibana-plugin-public.chromenavlinks.getforceappswitchernavigation_.md) | An observable of the forced app switcher state. |
+|  [getNavLinks$()](./kibana-plugin-public.chromenavlinks.getnavlinks_.md) | Get an observable for a sorted list of navlinks. |
+|  [has(id)](./kibana-plugin-public.chromenavlinks.has.md) | Check whether or not a navlink exists. |
+|  [showOnly(id)](./kibana-plugin-public.chromenavlinks.showonly.md) | Remove all navlinks except the one matching the given id. |
+|  [update(id, values)](./kibana-plugin-public.chromenavlinks.update.md) | Update the navlink for the given id with the updated attributes. Returns the updated navlink or <code>undefined</code> if it does not exist. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
index 0fdb0bba0faa8..3746f3491844b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.showonly.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [showOnly](./kibana-plugin-public.chromenavlinks.showonly.md)
-
-## ChromeNavLinks.showOnly() method
-
-Remove all navlinks except the one matching the given id.
-
-<b>Signature:</b>
-
-```typescript
-showOnly(id: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-NOTE: this is not reversible.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [showOnly](./kibana-plugin-public.chromenavlinks.showonly.md)
+
+## ChromeNavLinks.showOnly() method
+
+Remove all navlinks except the one matching the given id.
+
+<b>Signature:</b>
+
+```typescript
+showOnly(id: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+NOTE: this is not reversible.
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md b/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
index 155d149f334a1..d1cd2d3b04950 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinks.update.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [update](./kibana-plugin-public.chromenavlinks.update.md)
-
-## ChromeNavLinks.update() method
-
-> Warning: This API is now obsolete.
-> 
-> Uses the [AppBase.updater$](./kibana-plugin-public.appbase.updater_.md) property when registering your application with [ApplicationSetup.register()](./kibana-plugin-public.applicationsetup.register.md) instead.
-> 
-
-Update the navlink for the given id with the updated attributes. Returns the updated navlink or `undefined` if it does not exist.
-
-<b>Signature:</b>
-
-```typescript
-update(id: string, values: ChromeNavLinkUpdateableFields): ChromeNavLink | undefined;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-|  values | <code>ChromeNavLinkUpdateableFields</code> |  |
-
-<b>Returns:</b>
-
-`ChromeNavLink | undefined`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) &gt; [update](./kibana-plugin-public.chromenavlinks.update.md)
+
+## ChromeNavLinks.update() method
+
+> Warning: This API is now obsolete.
+> 
+> Uses the [AppBase.updater$](./kibana-plugin-public.appbase.updater_.md) property when registering your application with [ApplicationSetup.register()](./kibana-plugin-public.applicationsetup.register.md) instead.
+> 
+
+Update the navlink for the given id with the updated attributes. Returns the updated navlink or `undefined` if it does not exist.
+
+<b>Signature:</b>
+
+```typescript
+update(id: string, values: ChromeNavLinkUpdateableFields): ChromeNavLink | undefined;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+|  values | <code>ChromeNavLinkUpdateableFields</code> |  |
+
+<b>Returns:</b>
+
+`ChromeNavLink | undefined`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md b/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
index f8be488c170a2..6b17174975db9 100644
--- a/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
+++ b/docs/development/core/public/kibana-plugin-public.chromenavlinkupdateablefields.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md)
-
-## ChromeNavLinkUpdateableFields type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ChromeNavLinkUpdateableFields = Partial<Pick<ChromeNavLink, 'active' | 'disabled' | 'hidden' | 'url' | 'subUrlBase'>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md)
+
+## ChromeNavLinkUpdateableFields type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ChromeNavLinkUpdateableFields = Partial<Pick<ChromeNavLink, 'active' | 'disabled' | 'hidden' | 'url' | 'subUrlBase'>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
index 428f9a0d990bc..8d780f3c5d537 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.add.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [add](./kibana-plugin-public.chromerecentlyaccessed.add.md)
-
-## ChromeRecentlyAccessed.add() method
-
-Adds a new item to the recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-add(link: string, label: string, id: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  link | <code>string</code> |  |
-|  label | <code>string</code> |  |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [add](./kibana-plugin-public.chromerecentlyaccessed.add.md)
+
+## ChromeRecentlyAccessed.add() method
+
+Adds a new item to the recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+add(link: string, label: string, id: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  link | <code>string</code> |  |
+|  label | <code>string</code> |  |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
index 39f2ac6003a57..b176abb44a002 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get](./kibana-plugin-public.chromerecentlyaccessed.get.md)
-
-## ChromeRecentlyAccessed.get() method
-
-Gets an Array of the current recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-get(): ChromeRecentlyAccessedHistoryItem[];
-```
-<b>Returns:</b>
-
-`ChromeRecentlyAccessedHistoryItem[]`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.get().forEach(console.log);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get](./kibana-plugin-public.chromerecentlyaccessed.get.md)
+
+## ChromeRecentlyAccessed.get() method
+
+Gets an Array of the current recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+get(): ChromeRecentlyAccessedHistoryItem[];
+```
+<b>Returns:</b>
+
+`ChromeRecentlyAccessedHistoryItem[]`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.get().forEach(console.log);
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
index 92452b185d673..d6b4e9f6b4f91 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.get_.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get$](./kibana-plugin-public.chromerecentlyaccessed.get_.md)
-
-## ChromeRecentlyAccessed.get$() method
-
-Gets an Observable of the array of recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-get$(): Observable<ChromeRecentlyAccessedHistoryItem[]>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeRecentlyAccessedHistoryItem[]>`
-
-## Example
-
-
-```js
-chrome.recentlyAccessed.get$().subscribe(console.log);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) &gt; [get$](./kibana-plugin-public.chromerecentlyaccessed.get_.md)
+
+## ChromeRecentlyAccessed.get$() method
+
+Gets an Observable of the array of recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+get$(): Observable<ChromeRecentlyAccessedHistoryItem[]>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeRecentlyAccessedHistoryItem[]>`
+
+## Example
+
+
+```js
+chrome.recentlyAccessed.get$().subscribe(console.log);
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
index 014435b6bc6ef..ed395ae3e7a0e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessed.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md)
-
-## ChromeRecentlyAccessed interface
-
-[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeRecentlyAccessed 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [add(link, label, id)](./kibana-plugin-public.chromerecentlyaccessed.add.md) | Adds a new item to the recently accessed history. |
-|  [get()](./kibana-plugin-public.chromerecentlyaccessed.get.md) | Gets an Array of the current recently accessed history. |
-|  [get$()](./kibana-plugin-public.chromerecentlyaccessed.get_.md) | Gets an Observable of the array of recently accessed history. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md)
+
+## ChromeRecentlyAccessed interface
+
+[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeRecentlyAccessed 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [add(link, label, id)](./kibana-plugin-public.chromerecentlyaccessed.add.md) | Adds a new item to the recently accessed history. |
+|  [get()](./kibana-plugin-public.chromerecentlyaccessed.get.md) | Gets an Array of the current recently accessed history. |
+|  [get$()](./kibana-plugin-public.chromerecentlyaccessed.get_.md) | Gets an Observable of the array of recently accessed history. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
index b95ac60ce91df..ea35caaae183b 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md)
-
-## ChromeRecentlyAccessedHistoryItem.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md)
+
+## ChromeRecentlyAccessedHistoryItem.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
index 2d289ad168721..6649890acfd0d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md)
-
-## ChromeRecentlyAccessedHistoryItem.label property
-
-<b>Signature:</b>
-
-```typescript
-label: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md)
+
+## ChromeRecentlyAccessedHistoryItem.label property
+
+<b>Signature:</b>
+
+```typescript
+label: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
index 3123d6a5e0d79..ef4c494474c88 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md)
-
-## ChromeRecentlyAccessedHistoryItem.link property
-
-<b>Signature:</b>
-
-```typescript
-link: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) &gt; [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md)
+
+## ChromeRecentlyAccessedHistoryItem.link property
+
+<b>Signature:</b>
+
+```typescript
+link: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
index 1f74608e4e0f5..6c526296f1278 100644
--- a/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
+++ b/docs/development/core/public/kibana-plugin-public.chromerecentlyaccessedhistoryitem.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md)
-
-## ChromeRecentlyAccessedHistoryItem interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeRecentlyAccessedHistoryItem 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md) | <code>string</code> |  |
-|  [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md) | <code>string</code> |  |
-|  [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md)
+
+## ChromeRecentlyAccessedHistoryItem interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeRecentlyAccessedHistoryItem 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.id.md) | <code>string</code> |  |
+|  [label](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.label.md) | <code>string</code> |  |
+|  [link](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.link.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md b/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
index b74542014b89c..31729f6320d13 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.addapplicationclass.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [addApplicationClass](./kibana-plugin-public.chromestart.addapplicationclass.md)
-
-## ChromeStart.addApplicationClass() method
-
-Add a className that should be set on the application container.
-
-<b>Signature:</b>
-
-```typescript
-addApplicationClass(className: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  className | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [addApplicationClass](./kibana-plugin-public.chromestart.addapplicationclass.md)
+
+## ChromeStart.addApplicationClass() method
+
+Add a className that should be set on the application container.
+
+<b>Signature:</b>
+
+```typescript
+addApplicationClass(className: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  className | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md b/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
index 71eda64c24646..100afe2ae0c6e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.doctitle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [docTitle](./kibana-plugin-public.chromestart.doctitle.md)
-
-## ChromeStart.docTitle property
-
-APIs for accessing and updating the document title.
-
-<b>Signature:</b>
-
-```typescript
-docTitle: ChromeDocTitle;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [docTitle](./kibana-plugin-public.chromestart.doctitle.md)
+
+## ChromeStart.docTitle property
+
+APIs for accessing and updating the document title.
+
+<b>Signature:</b>
+
+```typescript
+docTitle: ChromeDocTitle;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
index f01710478c635..51f5253ede161 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getapplicationclasses_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getApplicationClasses$](./kibana-plugin-public.chromestart.getapplicationclasses_.md)
-
-## ChromeStart.getApplicationClasses$() method
-
-Get the current set of classNames that will be set on the application container.
-
-<b>Signature:</b>
-
-```typescript
-getApplicationClasses$(): Observable<string[]>;
-```
-<b>Returns:</b>
-
-`Observable<string[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getApplicationClasses$](./kibana-plugin-public.chromestart.getapplicationclasses_.md)
+
+## ChromeStart.getApplicationClasses$() method
+
+Get the current set of classNames that will be set on the application container.
+
+<b>Signature:</b>
+
+```typescript
+getApplicationClasses$(): Observable<string[]>;
+```
+<b>Returns:</b>
+
+`Observable<string[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
index 36f98defeb51e..36b5c942e8dc2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbadge_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBadge$](./kibana-plugin-public.chromestart.getbadge_.md)
-
-## ChromeStart.getBadge$() method
-
-Get an observable of the current badge
-
-<b>Signature:</b>
-
-```typescript
-getBadge$(): Observable<ChromeBadge | undefined>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBadge | undefined>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBadge$](./kibana-plugin-public.chromestart.getbadge_.md)
+
+## ChromeStart.getBadge$() method
+
+Get an observable of the current badge
+
+<b>Signature:</b>
+
+```typescript
+getBadge$(): Observable<ChromeBadge | undefined>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBadge | undefined>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
index aab0f13070fbc..7010ccd632f4a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbrand_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBrand$](./kibana-plugin-public.chromestart.getbrand_.md)
-
-## ChromeStart.getBrand$() method
-
-Get an observable of the current brand information.
-
-<b>Signature:</b>
-
-```typescript
-getBrand$(): Observable<ChromeBrand>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBrand>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBrand$](./kibana-plugin-public.chromestart.getbrand_.md)
+
+## ChromeStart.getBrand$() method
+
+Get an observable of the current brand information.
+
+<b>Signature:</b>
+
+```typescript
+getBrand$(): Observable<ChromeBrand>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBrand>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
index 38fc384d6a704..ac97863f16ad0 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getbreadcrumbs_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBreadcrumbs$](./kibana-plugin-public.chromestart.getbreadcrumbs_.md)
-
-## ChromeStart.getBreadcrumbs$() method
-
-Get an observable of the current list of breadcrumbs
-
-<b>Signature:</b>
-
-```typescript
-getBreadcrumbs$(): Observable<ChromeBreadcrumb[]>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeBreadcrumb[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getBreadcrumbs$](./kibana-plugin-public.chromestart.getbreadcrumbs_.md)
+
+## ChromeStart.getBreadcrumbs$() method
+
+Get an observable of the current list of breadcrumbs
+
+<b>Signature:</b>
+
+```typescript
+getBreadcrumbs$(): Observable<ChromeBreadcrumb[]>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeBreadcrumb[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md b/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
index 6008a4f29506d..ff642651cedef 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.gethelpextension_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getHelpExtension$](./kibana-plugin-public.chromestart.gethelpextension_.md)
-
-## ChromeStart.getHelpExtension$() method
-
-Get an observable of the current custom help conttent
-
-<b>Signature:</b>
-
-```typescript
-getHelpExtension$(): Observable<ChromeHelpExtension | undefined>;
-```
-<b>Returns:</b>
-
-`Observable<ChromeHelpExtension | undefined>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getHelpExtension$](./kibana-plugin-public.chromestart.gethelpextension_.md)
+
+## ChromeStart.getHelpExtension$() method
+
+Get an observable of the current custom help conttent
+
+<b>Signature:</b>
+
+```typescript
+getHelpExtension$(): Observable<ChromeHelpExtension | undefined>;
+```
+<b>Returns:</b>
+
+`Observable<ChromeHelpExtension | undefined>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
index 59871a78c4100..98a1d3bfdd42e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getiscollapsed_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsCollapsed$](./kibana-plugin-public.chromestart.getiscollapsed_.md)
-
-## ChromeStart.getIsCollapsed$() method
-
-Get an observable of the current collapsed state of the chrome.
-
-<b>Signature:</b>
-
-```typescript
-getIsCollapsed$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsCollapsed$](./kibana-plugin-public.chromestart.getiscollapsed_.md)
+
+## ChromeStart.getIsCollapsed$() method
+
+Get an observable of the current collapsed state of the chrome.
+
+<b>Signature:</b>
+
+```typescript
+getIsCollapsed$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md b/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
index f597dbd194109..8772b30cf8c8e 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.getisvisible_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsVisible$](./kibana-plugin-public.chromestart.getisvisible_.md)
-
-## ChromeStart.getIsVisible$() method
-
-Get an observable of the current visibility state of the chrome.
-
-<b>Signature:</b>
-
-```typescript
-getIsVisible$(): Observable<boolean>;
-```
-<b>Returns:</b>
-
-`Observable<boolean>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [getIsVisible$](./kibana-plugin-public.chromestart.getisvisible_.md)
+
+## ChromeStart.getIsVisible$() method
+
+Get an observable of the current visibility state of the chrome.
+
+<b>Signature:</b>
+
+```typescript
+getIsVisible$(): Observable<boolean>;
+```
+<b>Returns:</b>
+
+`Observable<boolean>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.md b/docs/development/core/public/kibana-plugin-public.chromestart.md
index 4e44e5bf05074..4b79f682d4e40 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.md
@@ -1,70 +1,70 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md)
-
-## ChromeStart interface
-
-ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser.
-
-<b>Signature:</b>
-
-```typescript
-export interface ChromeStart 
-```
-
-## Remarks
-
-While ChromeStart exposes many APIs, they should be used sparingly and the developer should understand how they affect other plugins and applications.
-
-## Example 1
-
-How to add a recently accessed item to the sidebar:
-
-```ts
-core.chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
-
-```
-
-## Example 2
-
-How to set the help dropdown extension:
-
-```tsx
-core.chrome.setHelpExtension(elem => {
-  ReactDOM.render(<MyHelpComponent />, elem);
-  return () => ReactDOM.unmountComponentAtNode(elem);
-});
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [docTitle](./kibana-plugin-public.chromestart.doctitle.md) | <code>ChromeDocTitle</code> | APIs for accessing and updating the document title. |
-|  [navControls](./kibana-plugin-public.chromestart.navcontrols.md) | <code>ChromeNavControls</code> | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
-|  [navLinks](./kibana-plugin-public.chromestart.navlinks.md) | <code>ChromeNavLinks</code> | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
-|  [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md) | <code>ChromeRecentlyAccessed</code> | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [addApplicationClass(className)](./kibana-plugin-public.chromestart.addapplicationclass.md) | Add a className that should be set on the application container. |
-|  [getApplicationClasses$()](./kibana-plugin-public.chromestart.getapplicationclasses_.md) | Get the current set of classNames that will be set on the application container. |
-|  [getBadge$()](./kibana-plugin-public.chromestart.getbadge_.md) | Get an observable of the current badge |
-|  [getBrand$()](./kibana-plugin-public.chromestart.getbrand_.md) | Get an observable of the current brand information. |
-|  [getBreadcrumbs$()](./kibana-plugin-public.chromestart.getbreadcrumbs_.md) | Get an observable of the current list of breadcrumbs |
-|  [getHelpExtension$()](./kibana-plugin-public.chromestart.gethelpextension_.md) | Get an observable of the current custom help conttent |
-|  [getIsCollapsed$()](./kibana-plugin-public.chromestart.getiscollapsed_.md) | Get an observable of the current collapsed state of the chrome. |
-|  [getIsVisible$()](./kibana-plugin-public.chromestart.getisvisible_.md) | Get an observable of the current visibility state of the chrome. |
-|  [removeApplicationClass(className)](./kibana-plugin-public.chromestart.removeapplicationclass.md) | Remove a className added with <code>addApplicationClass()</code>. If className is unknown it is ignored. |
-|  [setAppTitle(appTitle)](./kibana-plugin-public.chromestart.setapptitle.md) | Sets the current app's title |
-|  [setBadge(badge)](./kibana-plugin-public.chromestart.setbadge.md) | Override the current badge |
-|  [setBrand(brand)](./kibana-plugin-public.chromestart.setbrand.md) | Set the brand configuration. |
-|  [setBreadcrumbs(newBreadcrumbs)](./kibana-plugin-public.chromestart.setbreadcrumbs.md) | Override the current set of breadcrumbs |
-|  [setHelpExtension(helpExtension)](./kibana-plugin-public.chromestart.sethelpextension.md) | Override the current set of custom help content |
-|  [setHelpSupportUrl(url)](./kibana-plugin-public.chromestart.sethelpsupporturl.md) | Override the default support URL shown in the help menu |
-|  [setIsCollapsed(isCollapsed)](./kibana-plugin-public.chromestart.setiscollapsed.md) | Set the collapsed state of the chrome navigation. |
-|  [setIsVisible(isVisible)](./kibana-plugin-public.chromestart.setisvisible.md) | Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md)
+
+## ChromeStart interface
+
+ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser.
+
+<b>Signature:</b>
+
+```typescript
+export interface ChromeStart 
+```
+
+## Remarks
+
+While ChromeStart exposes many APIs, they should be used sparingly and the developer should understand how they affect other plugins and applications.
+
+## Example 1
+
+How to add a recently accessed item to the sidebar:
+
+```ts
+core.chrome.recentlyAccessed.add('/app/map/1234', 'Map 1234', '1234');
+
+```
+
+## Example 2
+
+How to set the help dropdown extension:
+
+```tsx
+core.chrome.setHelpExtension(elem => {
+  ReactDOM.render(<MyHelpComponent />, elem);
+  return () => ReactDOM.unmountComponentAtNode(elem);
+});
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [docTitle](./kibana-plugin-public.chromestart.doctitle.md) | <code>ChromeDocTitle</code> | APIs for accessing and updating the document title. |
+|  [navControls](./kibana-plugin-public.chromestart.navcontrols.md) | <code>ChromeNavControls</code> | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
+|  [navLinks](./kibana-plugin-public.chromestart.navlinks.md) | <code>ChromeNavLinks</code> | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
+|  [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md) | <code>ChromeRecentlyAccessed</code> | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [addApplicationClass(className)](./kibana-plugin-public.chromestart.addapplicationclass.md) | Add a className that should be set on the application container. |
+|  [getApplicationClasses$()](./kibana-plugin-public.chromestart.getapplicationclasses_.md) | Get the current set of classNames that will be set on the application container. |
+|  [getBadge$()](./kibana-plugin-public.chromestart.getbadge_.md) | Get an observable of the current badge |
+|  [getBrand$()](./kibana-plugin-public.chromestart.getbrand_.md) | Get an observable of the current brand information. |
+|  [getBreadcrumbs$()](./kibana-plugin-public.chromestart.getbreadcrumbs_.md) | Get an observable of the current list of breadcrumbs |
+|  [getHelpExtension$()](./kibana-plugin-public.chromestart.gethelpextension_.md) | Get an observable of the current custom help conttent |
+|  [getIsCollapsed$()](./kibana-plugin-public.chromestart.getiscollapsed_.md) | Get an observable of the current collapsed state of the chrome. |
+|  [getIsVisible$()](./kibana-plugin-public.chromestart.getisvisible_.md) | Get an observable of the current visibility state of the chrome. |
+|  [removeApplicationClass(className)](./kibana-plugin-public.chromestart.removeapplicationclass.md) | Remove a className added with <code>addApplicationClass()</code>. If className is unknown it is ignored. |
+|  [setAppTitle(appTitle)](./kibana-plugin-public.chromestart.setapptitle.md) | Sets the current app's title |
+|  [setBadge(badge)](./kibana-plugin-public.chromestart.setbadge.md) | Override the current badge |
+|  [setBrand(brand)](./kibana-plugin-public.chromestart.setbrand.md) | Set the brand configuration. |
+|  [setBreadcrumbs(newBreadcrumbs)](./kibana-plugin-public.chromestart.setbreadcrumbs.md) | Override the current set of breadcrumbs |
+|  [setHelpExtension(helpExtension)](./kibana-plugin-public.chromestart.sethelpextension.md) | Override the current set of custom help content |
+|  [setHelpSupportUrl(url)](./kibana-plugin-public.chromestart.sethelpsupporturl.md) | Override the default support URL shown in the help menu |
+|  [setIsCollapsed(isCollapsed)](./kibana-plugin-public.chromestart.setiscollapsed.md) | Set the collapsed state of the chrome navigation. |
+|  [setIsVisible(isVisible)](./kibana-plugin-public.chromestart.setisvisible.md) | Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md b/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
index 0a8e0e5c6da2b..0ba72348499d2 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.navcontrols.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navControls](./kibana-plugin-public.chromestart.navcontrols.md)
-
-## ChromeStart.navControls property
-
-[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
-
-<b>Signature:</b>
-
-```typescript
-navControls: ChromeNavControls;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navControls](./kibana-plugin-public.chromestart.navcontrols.md)
+
+## ChromeStart.navControls property
+
+[APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar.
+
+<b>Signature:</b>
+
+```typescript
+navControls: ChromeNavControls;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md b/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
index 047e72d9ce819..db512ed83942d 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navLinks](./kibana-plugin-public.chromestart.navlinks.md)
-
-## ChromeStart.navLinks property
-
-[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: ChromeNavLinks;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [navLinks](./kibana-plugin-public.chromestart.navlinks.md)
+
+## ChromeStart.navLinks property
+
+[APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: ChromeNavLinks;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md b/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
index d2e54ca956cae..14b85cea366ec 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.recentlyaccessed.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md)
-
-## ChromeStart.recentlyAccessed property
-
-[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
-
-<b>Signature:</b>
-
-```typescript
-recentlyAccessed: ChromeRecentlyAccessed;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [recentlyAccessed](./kibana-plugin-public.chromestart.recentlyaccessed.md)
+
+## ChromeStart.recentlyAccessed property
+
+[APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history.
+
+<b>Signature:</b>
+
+```typescript
+recentlyAccessed: ChromeRecentlyAccessed;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md b/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
index 73a0f65449a20..3b5ca813218dc 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.removeapplicationclass.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [removeApplicationClass](./kibana-plugin-public.chromestart.removeapplicationclass.md)
-
-## ChromeStart.removeApplicationClass() method
-
-Remove a className added with `addApplicationClass()`<!-- -->. If className is unknown it is ignored.
-
-<b>Signature:</b>
-
-```typescript
-removeApplicationClass(className: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  className | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [removeApplicationClass](./kibana-plugin-public.chromestart.removeapplicationclass.md)
+
+## ChromeStart.removeApplicationClass() method
+
+Remove a className added with `addApplicationClass()`<!-- -->. If className is unknown it is ignored.
+
+<b>Signature:</b>
+
+```typescript
+removeApplicationClass(className: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  className | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md b/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
index ec24b77f127fe..4927bd58b19af 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setapptitle.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setAppTitle](./kibana-plugin-public.chromestart.setapptitle.md)
-
-## ChromeStart.setAppTitle() method
-
-Sets the current app's title
-
-<b>Signature:</b>
-
-```typescript
-setAppTitle(appTitle: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  appTitle | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setAppTitle](./kibana-plugin-public.chromestart.setapptitle.md)
+
+## ChromeStart.setAppTitle() method
+
+Sets the current app's title
+
+<b>Signature:</b>
+
+```typescript
+setAppTitle(appTitle: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  appTitle | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
index a9da8e2fec641..cbbe408c1a791 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbadge.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBadge](./kibana-plugin-public.chromestart.setbadge.md)
-
-## ChromeStart.setBadge() method
-
-Override the current badge
-
-<b>Signature:</b>
-
-```typescript
-setBadge(badge?: ChromeBadge): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  badge | <code>ChromeBadge</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBadge](./kibana-plugin-public.chromestart.setbadge.md)
+
+## ChromeStart.setBadge() method
+
+Override the current badge
+
+<b>Signature:</b>
+
+```typescript
+setBadge(badge?: ChromeBadge): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  badge | <code>ChromeBadge</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
index 3fcf9df612594..487dcb227ba23 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbrand.md
@@ -1,39 +1,39 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBrand](./kibana-plugin-public.chromestart.setbrand.md)
-
-## ChromeStart.setBrand() method
-
-Set the brand configuration.
-
-<b>Signature:</b>
-
-```typescript
-setBrand(brand: ChromeBrand): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  brand | <code>ChromeBrand</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Remarks
-
-Normally the `logo` property will be rendered as the CSS background for the home link in the chrome navigation, but when the page is rendered in a small window the `smallLogo` will be used and rendered at about 45px wide.
-
-## Example
-
-
-```js
-chrome.setBrand({
-  logo: 'url(/plugins/app/logo.png) center no-repeat'
-  smallLogo: 'url(/plugins/app/logo-small.png) center no-repeat'
-})
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBrand](./kibana-plugin-public.chromestart.setbrand.md)
+
+## ChromeStart.setBrand() method
+
+Set the brand configuration.
+
+<b>Signature:</b>
+
+```typescript
+setBrand(brand: ChromeBrand): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  brand | <code>ChromeBrand</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Remarks
+
+Normally the `logo` property will be rendered as the CSS background for the home link in the chrome navigation, but when the page is rendered in a small window the `smallLogo` will be used and rendered at about 45px wide.
+
+## Example
+
+
+```js
+chrome.setBrand({
+  logo: 'url(/plugins/app/logo.png) center no-repeat'
+  smallLogo: 'url(/plugins/app/logo-small.png) center no-repeat'
+})
+
+```
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md b/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
index a533ea34a9106..0c54d123454e0 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setbreadcrumbs.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBreadcrumbs](./kibana-plugin-public.chromestart.setbreadcrumbs.md)
-
-## ChromeStart.setBreadcrumbs() method
-
-Override the current set of breadcrumbs
-
-<b>Signature:</b>
-
-```typescript
-setBreadcrumbs(newBreadcrumbs: ChromeBreadcrumb[]): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  newBreadcrumbs | <code>ChromeBreadcrumb[]</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setBreadcrumbs](./kibana-plugin-public.chromestart.setbreadcrumbs.md)
+
+## ChromeStart.setBreadcrumbs() method
+
+Override the current set of breadcrumbs
+
+<b>Signature:</b>
+
+```typescript
+setBreadcrumbs(newBreadcrumbs: ChromeBreadcrumb[]): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  newBreadcrumbs | <code>ChromeBreadcrumb[]</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
index 900848e7756e2..1cfa1b19cb0fe 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpextension.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpExtension](./kibana-plugin-public.chromestart.sethelpextension.md)
-
-## ChromeStart.setHelpExtension() method
-
-Override the current set of custom help content
-
-<b>Signature:</b>
-
-```typescript
-setHelpExtension(helpExtension?: ChromeHelpExtension): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  helpExtension | <code>ChromeHelpExtension</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpExtension](./kibana-plugin-public.chromestart.sethelpextension.md)
+
+## ChromeStart.setHelpExtension() method
+
+Override the current set of custom help content
+
+<b>Signature:</b>
+
+```typescript
+setHelpExtension(helpExtension?: ChromeHelpExtension): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  helpExtension | <code>ChromeHelpExtension</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
index 975283ce59cb7..9f1869bf3f950 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.sethelpsupporturl.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpSupportUrl](./kibana-plugin-public.chromestart.sethelpsupporturl.md)
-
-## ChromeStart.setHelpSupportUrl() method
-
-Override the default support URL shown in the help menu
-
-<b>Signature:</b>
-
-```typescript
-setHelpSupportUrl(url: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  url | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setHelpSupportUrl](./kibana-plugin-public.chromestart.sethelpsupporturl.md)
+
+## ChromeStart.setHelpSupportUrl() method
+
+Override the default support URL shown in the help menu
+
+<b>Signature:</b>
+
+```typescript
+setHelpSupportUrl(url: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  url | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md b/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
index 59732bf103acc..8cfa2bd9ba6d9 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setiscollapsed.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsCollapsed](./kibana-plugin-public.chromestart.setiscollapsed.md)
-
-## ChromeStart.setIsCollapsed() method
-
-Set the collapsed state of the chrome navigation.
-
-<b>Signature:</b>
-
-```typescript
-setIsCollapsed(isCollapsed: boolean): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  isCollapsed | <code>boolean</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsCollapsed](./kibana-plugin-public.chromestart.setiscollapsed.md)
+
+## ChromeStart.setIsCollapsed() method
+
+Set the collapsed state of the chrome navigation.
+
+<b>Signature:</b>
+
+```typescript
+setIsCollapsed(isCollapsed: boolean): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  isCollapsed | <code>boolean</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md b/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
index 1536c82f00086..471efb270416a 100644
--- a/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
+++ b/docs/development/core/public/kibana-plugin-public.chromestart.setisvisible.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsVisible](./kibana-plugin-public.chromestart.setisvisible.md)
-
-## ChromeStart.setIsVisible() method
-
-Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button.
-
-<b>Signature:</b>
-
-```typescript
-setIsVisible(isVisible: boolean): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  isVisible | <code>boolean</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ChromeStart](./kibana-plugin-public.chromestart.md) &gt; [setIsVisible](./kibana-plugin-public.chromestart.setisvisible.md)
+
+## ChromeStart.setIsVisible() method
+
+Set the temporary visibility for the chrome. This does nothing if the chrome is hidden by default and should be used to hide the chrome for things like full-screen modes with an exit button.
+
+<b>Signature:</b>
+
+```typescript
+setIsVisible(isVisible: boolean): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  isVisible | <code>boolean</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md b/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
index 5334eee842577..e1bb5bedd5a7e 100644
--- a/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
+++ b/docs/development/core/public/kibana-plugin-public.contextsetup.createcontextcontainer.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-public.contextsetup.createcontextcontainer.md)
-
-## ContextSetup.createContextContainer() method
-
-Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner.
-
-<b>Signature:</b>
-
-```typescript
-createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
-```
-<b>Returns:</b>
-
-`IContextContainer<THandler>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-public.contextsetup.createcontextcontainer.md)
+
+## ContextSetup.createContextContainer() method
+
+Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner.
+
+<b>Signature:</b>
+
+```typescript
+createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
+```
+<b>Returns:</b>
+
+`IContextContainer<THandler>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.contextsetup.md b/docs/development/core/public/kibana-plugin-public.contextsetup.md
index d4399b6ba70c4..fe9a2e3004708 100644
--- a/docs/development/core/public/kibana-plugin-public.contextsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.contextsetup.md
@@ -1,138 +1,138 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md)
-
-## ContextSetup interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface ContextSetup 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Example
-
-Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
-
-```ts
-export interface VizRenderContext {
-  core: {
-    i18n: I18nStart;
-    uiSettings: IUiSettingsClient;
-  }
-  [contextName: string]: unknown;
-}
-
-export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
-// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
-type BoundVizRenderer = (domElement: HTMLElement) => () => void;
-
-class VizRenderingPlugin {
-  private readonly contextContainer?: IContextContainer<VizRenderer>;
-  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
-        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
-    };
-  }
-
-  start(core) {
-    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
-    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
-      i18n: core.i18n,
-      uiSettings: core.uiSettings
-    }));
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-
-      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
-        if (!this.vizRenderer.has(renderMethod)) {
-          throw new Error(`Render method '${renderMethod}' has not been registered`);
-        }
-
-        // The handler can now be called directly with only an `HTMLElement` and will automatically
-        // have a new `context` object created and populated by the context container.
-        const handler = this.vizRenderers.get(renderMethod)
-        return handler(domElement);
-      }
-    };
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createContextContainer()](./kibana-plugin-public.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ContextSetup](./kibana-plugin-public.contextsetup.md)
+
+## ContextSetup interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface ContextSetup 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Example
+
+Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
+
+```ts
+export interface VizRenderContext {
+  core: {
+    i18n: I18nStart;
+    uiSettings: IUiSettingsClient;
+  }
+  [contextName: string]: unknown;
+}
+
+export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
+// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
+type BoundVizRenderer = (domElement: HTMLElement) => () => void;
+
+class VizRenderingPlugin {
+  private readonly contextContainer?: IContextContainer<VizRenderer>;
+  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
+        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
+    };
+  }
+
+  start(core) {
+    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
+    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
+      i18n: core.i18n,
+      uiSettings: core.uiSettings
+    }));
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+
+      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
+        if (!this.vizRenderer.has(renderMethod)) {
+          throw new Error(`Render method '${renderMethod}' has not been registered`);
+        }
+
+        // The handler can now be called directly with only an `HTMLElement` and will automatically
+        // have a new `context` object created and populated by the context container.
+        const handler = this.vizRenderers.get(renderMethod)
+        return handler(domElement);
+      }
+    };
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createContextContainer()](./kibana-plugin-public.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for a service owner. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.application.md b/docs/development/core/public/kibana-plugin-public.coresetup.application.md
index 4b39b2c76802b..2b4b54b0023ee 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.application.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.application.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [application](./kibana-plugin-public.coresetup.application.md)
-
-## CoreSetup.application property
-
-[ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-application: ApplicationSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [application](./kibana-plugin-public.coresetup.application.md)
+
+## CoreSetup.application property
+
+[ApplicationSetup](./kibana-plugin-public.applicationsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+application: ApplicationSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.context.md b/docs/development/core/public/kibana-plugin-public.coresetup.context.md
index f2a891c6c674e..12f8255482385 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.context.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.context.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [context](./kibana-plugin-public.coresetup.context.md)
-
-## CoreSetup.context property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-[ContextSetup](./kibana-plugin-public.contextsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-context: ContextSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [context](./kibana-plugin-public.coresetup.context.md)
+
+## CoreSetup.context property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+[ContextSetup](./kibana-plugin-public.contextsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+context: ContextSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md b/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
index 5d51af0898e4f..8f96ffd2c15e8 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.fatalerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md)
-
-## CoreSetup.fatalErrors property
-
-[FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-fatalErrors: FatalErrorsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md)
+
+## CoreSetup.fatalErrors property
+
+[FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+fatalErrors: FatalErrorsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md b/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
index b89d98b0a9ed5..188e4664934ff 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.getstartservices.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [getStartServices](./kibana-plugin-public.coresetup.getstartservices.md)
-
-## CoreSetup.getStartServices() method
-
-Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-getStartServices(): Promise<[CoreStart, TPluginsStart]>;
-```
-<b>Returns:</b>
-
-`Promise<[CoreStart, TPluginsStart]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [getStartServices](./kibana-plugin-public.coresetup.getstartservices.md)
+
+## CoreSetup.getStartServices() method
+
+Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+getStartServices(): Promise<[CoreStart, TPluginsStart]>;
+```
+<b>Returns:</b>
+
+`Promise<[CoreStart, TPluginsStart]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.http.md b/docs/development/core/public/kibana-plugin-public.coresetup.http.md
index 7471f7daa668d..112f80093361c 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.http.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [http](./kibana-plugin-public.coresetup.http.md)
-
-## CoreSetup.http property
-
-[HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [http](./kibana-plugin-public.coresetup.http.md)
+
+## CoreSetup.http property
+
+[HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
index f9c1a283e3808..a62b8b99ee131 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.injectedmetadata.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md)
-
-## CoreSetup.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: {
-        getInjectedVar: (name: string, defaultValue?: any) => unknown;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md)
+
+## CoreSetup.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: {
+        getInjectedVar: (name: string, defaultValue?: any) => unknown;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.md b/docs/development/core/public/kibana-plugin-public.coresetup.md
index 7d75782df2e32..ae423c6e8d79c 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md)
-
-## CoreSetup interface
-
-Core services exposed to the `Plugin` setup lifecycle
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreSetup<TPluginsStart extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [application](./kibana-plugin-public.coresetup.application.md) | <code>ApplicationSetup</code> | [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
-|  [context](./kibana-plugin-public.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-public.contextsetup.md) |
-|  [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md) | <code>FatalErrorsSetup</code> | [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) |
-|  [http](./kibana-plugin-public.coresetup.http.md) | <code>HttpSetup</code> | [HttpSetup](./kibana-plugin-public.httpsetup.md) |
-|  [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
-|  [notifications](./kibana-plugin-public.coresetup.notifications.md) | <code>NotificationsSetup</code> | [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |
-|  [uiSettings](./kibana-plugin-public.coresetup.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md)
+
+## CoreSetup interface
+
+Core services exposed to the `Plugin` setup lifecycle
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreSetup<TPluginsStart extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [application](./kibana-plugin-public.coresetup.application.md) | <code>ApplicationSetup</code> | [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
+|  [context](./kibana-plugin-public.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-public.contextsetup.md) |
+|  [fatalErrors](./kibana-plugin-public.coresetup.fatalerrors.md) | <code>FatalErrorsSetup</code> | [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) |
+|  [http](./kibana-plugin-public.coresetup.http.md) | <code>HttpSetup</code> | [HttpSetup](./kibana-plugin-public.httpsetup.md) |
+|  [injectedMetadata](./kibana-plugin-public.coresetup.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
+|  [notifications](./kibana-plugin-public.coresetup.notifications.md) | <code>NotificationsSetup</code> | [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |
+|  [uiSettings](./kibana-plugin-public.coresetup.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers, such as [App.mount](./kibana-plugin-public.app.mount.md)<!-- -->. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md b/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
index ea050925bbafc..52808b860a9e6 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.notifications.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [notifications](./kibana-plugin-public.coresetup.notifications.md)
-
-## CoreSetup.notifications property
-
-[NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-notifications: NotificationsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [notifications](./kibana-plugin-public.coresetup.notifications.md)
+
+## CoreSetup.notifications property
+
+[NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+notifications: NotificationsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md b/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
index bf9ec12e3eea2..51aa9916f7f07 100644
--- a/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
+++ b/docs/development/core/public/kibana-plugin-public.coresetup.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [uiSettings](./kibana-plugin-public.coresetup.uisettings.md)
-
-## CoreSetup.uiSettings property
-
-[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: IUiSettingsClient;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreSetup](./kibana-plugin-public.coresetup.md) &gt; [uiSettings](./kibana-plugin-public.coresetup.uisettings.md)
+
+## CoreSetup.uiSettings property
+
+[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: IUiSettingsClient;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.application.md b/docs/development/core/public/kibana-plugin-public.corestart.application.md
index c26701ca80529..b8565c5812aaf 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.application.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.application.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [application](./kibana-plugin-public.corestart.application.md)
-
-## CoreStart.application property
-
-[ApplicationStart](./kibana-plugin-public.applicationstart.md)
-
-<b>Signature:</b>
-
-```typescript
-application: ApplicationStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [application](./kibana-plugin-public.corestart.application.md)
+
+## CoreStart.application property
+
+[ApplicationStart](./kibana-plugin-public.applicationstart.md)
+
+<b>Signature:</b>
+
+```typescript
+application: ApplicationStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.chrome.md b/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
index 390bde25bae93..02f410b08b024 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.chrome.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [chrome](./kibana-plugin-public.corestart.chrome.md)
-
-## CoreStart.chrome property
-
-[ChromeStart](./kibana-plugin-public.chromestart.md)
-
-<b>Signature:</b>
-
-```typescript
-chrome: ChromeStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [chrome](./kibana-plugin-public.corestart.chrome.md)
+
+## CoreStart.chrome property
+
+[ChromeStart](./kibana-plugin-public.chromestart.md)
+
+<b>Signature:</b>
+
+```typescript
+chrome: ChromeStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md b/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
index 7f9e4ea10baac..641b9520be1a4 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.doclinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [docLinks](./kibana-plugin-public.corestart.doclinks.md)
-
-## CoreStart.docLinks property
-
-[DocLinksStart](./kibana-plugin-public.doclinksstart.md)
-
-<b>Signature:</b>
-
-```typescript
-docLinks: DocLinksStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [docLinks](./kibana-plugin-public.corestart.doclinks.md)
+
+## CoreStart.docLinks property
+
+[DocLinksStart](./kibana-plugin-public.doclinksstart.md)
+
+<b>Signature:</b>
+
+```typescript
+docLinks: DocLinksStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md b/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
index 540b17b5a6f0b..890fcac5a768b 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.fatalerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md)
-
-## CoreStart.fatalErrors property
-
-[FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-fatalErrors: FatalErrorsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md)
+
+## CoreStart.fatalErrors property
+
+[FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+fatalErrors: FatalErrorsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.http.md b/docs/development/core/public/kibana-plugin-public.corestart.http.md
index 6af183480c663..12fca53774532 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.http.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [http](./kibana-plugin-public.corestart.http.md)
-
-## CoreStart.http property
-
-[HttpStart](./kibana-plugin-public.httpstart.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [http](./kibana-plugin-public.corestart.http.md)
+
+## CoreStart.http property
+
+[HttpStart](./kibana-plugin-public.httpstart.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.i18n.md b/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
index 6a62025874aa9..75baf18a482e1 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.i18n.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [i18n](./kibana-plugin-public.corestart.i18n.md)
-
-## CoreStart.i18n property
-
-[I18nStart](./kibana-plugin-public.i18nstart.md)
-
-<b>Signature:</b>
-
-```typescript
-i18n: I18nStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [i18n](./kibana-plugin-public.corestart.i18n.md)
+
+## CoreStart.i18n property
+
+[I18nStart](./kibana-plugin-public.i18nstart.md)
+
+<b>Signature:</b>
+
+```typescript
+i18n: I18nStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
index 9224b97bc4300..b3f6361d3a8c3 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.injectedmetadata.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md)
-
-## CoreStart.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: {
-        getInjectedVar: (name: string, defaultValue?: any) => unknown;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md)
+
+## CoreStart.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead.
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: {
+        getInjectedVar: (name: string, defaultValue?: any) => unknown;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.md b/docs/development/core/public/kibana-plugin-public.corestart.md
index 83af82d590c36..c0a326b3b01cb 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md)
-
-## CoreStart interface
-
-Core services exposed to the `Plugin` start lifecycle
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [application](./kibana-plugin-public.corestart.application.md) | <code>ApplicationStart</code> | [ApplicationStart](./kibana-plugin-public.applicationstart.md) |
-|  [chrome](./kibana-plugin-public.corestart.chrome.md) | <code>ChromeStart</code> | [ChromeStart](./kibana-plugin-public.chromestart.md) |
-|  [docLinks](./kibana-plugin-public.corestart.doclinks.md) | <code>DocLinksStart</code> | [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |
-|  [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md) | <code>FatalErrorsStart</code> | [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) |
-|  [http](./kibana-plugin-public.corestart.http.md) | <code>HttpStart</code> | [HttpStart](./kibana-plugin-public.httpstart.md) |
-|  [i18n](./kibana-plugin-public.corestart.i18n.md) | <code>I18nStart</code> | [I18nStart](./kibana-plugin-public.i18nstart.md) |
-|  [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
-|  [notifications](./kibana-plugin-public.corestart.notifications.md) | <code>NotificationsStart</code> | [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |
-|  [overlays](./kibana-plugin-public.corestart.overlays.md) | <code>OverlayStart</code> | [OverlayStart](./kibana-plugin-public.overlaystart.md) |
-|  [savedObjects](./kibana-plugin-public.corestart.savedobjects.md) | <code>SavedObjectsStart</code> | [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |
-|  [uiSettings](./kibana-plugin-public.corestart.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md)
+
+## CoreStart interface
+
+Core services exposed to the `Plugin` start lifecycle
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [application](./kibana-plugin-public.corestart.application.md) | <code>ApplicationStart</code> | [ApplicationStart](./kibana-plugin-public.applicationstart.md) |
+|  [chrome](./kibana-plugin-public.corestart.chrome.md) | <code>ChromeStart</code> | [ChromeStart](./kibana-plugin-public.chromestart.md) |
+|  [docLinks](./kibana-plugin-public.corestart.doclinks.md) | <code>DocLinksStart</code> | [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |
+|  [fatalErrors](./kibana-plugin-public.corestart.fatalerrors.md) | <code>FatalErrorsStart</code> | [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) |
+|  [http](./kibana-plugin-public.corestart.http.md) | <code>HttpStart</code> | [HttpStart](./kibana-plugin-public.httpstart.md) |
+|  [i18n](./kibana-plugin-public.corestart.i18n.md) | <code>I18nStart</code> | [I18nStart](./kibana-plugin-public.i18nstart.md) |
+|  [injectedMetadata](./kibana-plugin-public.corestart.injectedmetadata.md) | <code>{</code><br/><code>        getInjectedVar: (name: string, defaultValue?: any) =&gt; unknown;</code><br/><code>    }</code> | exposed temporarily until https://github.com/elastic/kibana/issues/41990 done use \*only\* to retrieve config values. There is no way to set injected values in the new platform. Use the legacy platform API instead. |
+|  [notifications](./kibana-plugin-public.corestart.notifications.md) | <code>NotificationsStart</code> | [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |
+|  [overlays](./kibana-plugin-public.corestart.overlays.md) | <code>OverlayStart</code> | [OverlayStart](./kibana-plugin-public.overlaystart.md) |
+|  [savedObjects](./kibana-plugin-public.corestart.savedobjects.md) | <code>SavedObjectsStart</code> | [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |
+|  [uiSettings](./kibana-plugin-public.corestart.uisettings.md) | <code>IUiSettingsClient</code> | [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.notifications.md b/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
index c9533a1ec2f10..b9c75a1989096 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.notifications.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [notifications](./kibana-plugin-public.corestart.notifications.md)
-
-## CoreStart.notifications property
-
-[NotificationsStart](./kibana-plugin-public.notificationsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-notifications: NotificationsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [notifications](./kibana-plugin-public.corestart.notifications.md)
+
+## CoreStart.notifications property
+
+[NotificationsStart](./kibana-plugin-public.notificationsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+notifications: NotificationsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.overlays.md b/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
index 53d20b994f43d..9f2bf269884a1 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.overlays.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [overlays](./kibana-plugin-public.corestart.overlays.md)
-
-## CoreStart.overlays property
-
-[OverlayStart](./kibana-plugin-public.overlaystart.md)
-
-<b>Signature:</b>
-
-```typescript
-overlays: OverlayStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [overlays](./kibana-plugin-public.corestart.overlays.md)
+
+## CoreStart.overlays property
+
+[OverlayStart](./kibana-plugin-public.overlaystart.md)
+
+<b>Signature:</b>
+
+```typescript
+overlays: OverlayStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md b/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
index 5e6e0e33c7f80..80ba416ec5e0c 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [savedObjects](./kibana-plugin-public.corestart.savedobjects.md)
-
-## CoreStart.savedObjects property
-
-[SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [savedObjects](./kibana-plugin-public.corestart.savedobjects.md)
+
+## CoreStart.savedObjects property
+
+[SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md b/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
index 2ee405591dc08..2831e4da13578 100644
--- a/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
+++ b/docs/development/core/public/kibana-plugin-public.corestart.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [uiSettings](./kibana-plugin-public.corestart.uisettings.md)
-
-## CoreStart.uiSettings property
-
-[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: IUiSettingsClient;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [CoreStart](./kibana-plugin-public.corestart.md) &gt; [uiSettings](./kibana-plugin-public.corestart.uisettings.md)
+
+## CoreStart.uiSettings property
+
+[IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: IUiSettingsClient;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
index 5e7f9f9e48687..453d358710f2d 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.doc_link_version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md)
-
-## DocLinksStart.DOC\_LINK\_VERSION property
-
-<b>Signature:</b>
-
-```typescript
-readonly DOC_LINK_VERSION: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md)
+
+## DocLinksStart.DOC\_LINK\_VERSION property
+
+<b>Signature:</b>
+
+```typescript
+readonly DOC_LINK_VERSION: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
index b4967038b35d7..9ef871e776996 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.elastic_website_url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md)
-
-## DocLinksStart.ELASTIC\_WEBSITE\_URL property
-
-<b>Signature:</b>
-
-```typescript
-readonly ELASTIC_WEBSITE_URL: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md)
+
+## DocLinksStart.ELASTIC\_WEBSITE\_URL property
+
+<b>Signature:</b>
+
+```typescript
+readonly ELASTIC_WEBSITE_URL: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
index 2a21f00c57461..bb59d2eabefa2 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.links.md
@@ -1,96 +1,96 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [links](./kibana-plugin-public.doclinksstart.links.md)
-
-## DocLinksStart.links property
-
-<b>Signature:</b>
-
-```typescript
-readonly links: {
-        readonly filebeat: {
-            readonly base: string;
-            readonly installation: string;
-            readonly configuration: string;
-            readonly elasticsearchOutput: string;
-            readonly startup: string;
-            readonly exportedFields: string;
-        };
-        readonly auditbeat: {
-            readonly base: string;
-        };
-        readonly metricbeat: {
-            readonly base: string;
-        };
-        readonly heartbeat: {
-            readonly base: string;
-        };
-        readonly logstash: {
-            readonly base: string;
-        };
-        readonly functionbeat: {
-            readonly base: string;
-        };
-        readonly winlogbeat: {
-            readonly base: string;
-        };
-        readonly aggs: {
-            readonly date_histogram: string;
-            readonly date_range: string;
-            readonly filter: string;
-            readonly filters: string;
-            readonly geohash_grid: string;
-            readonly histogram: string;
-            readonly ip_range: string;
-            readonly range: string;
-            readonly significant_terms: string;
-            readonly terms: string;
-            readonly avg: string;
-            readonly avg_bucket: string;
-            readonly max_bucket: string;
-            readonly min_bucket: string;
-            readonly sum_bucket: string;
-            readonly cardinality: string;
-            readonly count: string;
-            readonly cumulative_sum: string;
-            readonly derivative: string;
-            readonly geo_bounds: string;
-            readonly geo_centroid: string;
-            readonly max: string;
-            readonly median: string;
-            readonly min: string;
-            readonly moving_avg: string;
-            readonly percentile_ranks: string;
-            readonly serial_diff: string;
-            readonly std_dev: string;
-            readonly sum: string;
-            readonly top_hits: string;
-        };
-        readonly scriptedFields: {
-            readonly scriptFields: string;
-            readonly scriptAggs: string;
-            readonly painless: string;
-            readonly painlessApi: string;
-            readonly painlessSyntax: string;
-            readonly luceneExpressions: string;
-        };
-        readonly indexPatterns: {
-            readonly loadingData: string;
-            readonly introduction: string;
-        };
-        readonly kibana: string;
-        readonly siem: {
-            readonly guide: string;
-            readonly gettingStarted: string;
-        };
-        readonly query: {
-            readonly luceneQuerySyntax: string;
-            readonly queryDsl: string;
-            readonly kueryQuerySyntax: string;
-        };
-        readonly date: {
-            readonly dateMath: string;
-        };
-        readonly management: Record<string, string>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md) &gt; [links](./kibana-plugin-public.doclinksstart.links.md)
+
+## DocLinksStart.links property
+
+<b>Signature:</b>
+
+```typescript
+readonly links: {
+        readonly filebeat: {
+            readonly base: string;
+            readonly installation: string;
+            readonly configuration: string;
+            readonly elasticsearchOutput: string;
+            readonly startup: string;
+            readonly exportedFields: string;
+        };
+        readonly auditbeat: {
+            readonly base: string;
+        };
+        readonly metricbeat: {
+            readonly base: string;
+        };
+        readonly heartbeat: {
+            readonly base: string;
+        };
+        readonly logstash: {
+            readonly base: string;
+        };
+        readonly functionbeat: {
+            readonly base: string;
+        };
+        readonly winlogbeat: {
+            readonly base: string;
+        };
+        readonly aggs: {
+            readonly date_histogram: string;
+            readonly date_range: string;
+            readonly filter: string;
+            readonly filters: string;
+            readonly geohash_grid: string;
+            readonly histogram: string;
+            readonly ip_range: string;
+            readonly range: string;
+            readonly significant_terms: string;
+            readonly terms: string;
+            readonly avg: string;
+            readonly avg_bucket: string;
+            readonly max_bucket: string;
+            readonly min_bucket: string;
+            readonly sum_bucket: string;
+            readonly cardinality: string;
+            readonly count: string;
+            readonly cumulative_sum: string;
+            readonly derivative: string;
+            readonly geo_bounds: string;
+            readonly geo_centroid: string;
+            readonly max: string;
+            readonly median: string;
+            readonly min: string;
+            readonly moving_avg: string;
+            readonly percentile_ranks: string;
+            readonly serial_diff: string;
+            readonly std_dev: string;
+            readonly sum: string;
+            readonly top_hits: string;
+        };
+        readonly scriptedFields: {
+            readonly scriptFields: string;
+            readonly scriptAggs: string;
+            readonly painless: string;
+            readonly painlessApi: string;
+            readonly painlessSyntax: string;
+            readonly luceneExpressions: string;
+        };
+        readonly indexPatterns: {
+            readonly loadingData: string;
+            readonly introduction: string;
+        };
+        readonly kibana: string;
+        readonly siem: {
+            readonly guide: string;
+            readonly gettingStarted: string;
+        };
+        readonly query: {
+            readonly luceneQuerySyntax: string;
+            readonly queryDsl: string;
+            readonly kueryQuerySyntax: string;
+        };
+        readonly date: {
+            readonly dateMath: string;
+        };
+        readonly management: Record<string, string>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.doclinksstart.md b/docs/development/core/public/kibana-plugin-public.doclinksstart.md
index 13c701a8b47db..c9d9c0f06ecb3 100644
--- a/docs/development/core/public/kibana-plugin-public.doclinksstart.md
+++ b/docs/development/core/public/kibana-plugin-public.doclinksstart.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md)
-
-## DocLinksStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DocLinksStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md) | <code>string</code> |  |
-|  [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md) | <code>string</code> |  |
-|  [links](./kibana-plugin-public.doclinksstart.links.md) | <code>{</code><br/><code>        readonly filebeat: {</code><br/><code>            readonly base: string;</code><br/><code>            readonly installation: string;</code><br/><code>            readonly configuration: string;</code><br/><code>            readonly elasticsearchOutput: string;</code><br/><code>            readonly startup: string;</code><br/><code>            readonly exportedFields: string;</code><br/><code>        };</code><br/><code>        readonly auditbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly metricbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly heartbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly logstash: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly functionbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly winlogbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly aggs: {</code><br/><code>            readonly date_histogram: string;</code><br/><code>            readonly date_range: string;</code><br/><code>            readonly filter: string;</code><br/><code>            readonly filters: string;</code><br/><code>            readonly geohash_grid: string;</code><br/><code>            readonly histogram: string;</code><br/><code>            readonly ip_range: string;</code><br/><code>            readonly range: string;</code><br/><code>            readonly significant_terms: string;</code><br/><code>            readonly terms: string;</code><br/><code>            readonly avg: string;</code><br/><code>            readonly avg_bucket: string;</code><br/><code>            readonly max_bucket: string;</code><br/><code>            readonly min_bucket: string;</code><br/><code>            readonly sum_bucket: string;</code><br/><code>            readonly cardinality: string;</code><br/><code>            readonly count: string;</code><br/><code>            readonly cumulative_sum: string;</code><br/><code>            readonly derivative: string;</code><br/><code>            readonly geo_bounds: string;</code><br/><code>            readonly geo_centroid: string;</code><br/><code>            readonly max: string;</code><br/><code>            readonly median: string;</code><br/><code>            readonly min: string;</code><br/><code>            readonly moving_avg: string;</code><br/><code>            readonly percentile_ranks: string;</code><br/><code>            readonly serial_diff: string;</code><br/><code>            readonly std_dev: string;</code><br/><code>            readonly sum: string;</code><br/><code>            readonly top_hits: string;</code><br/><code>        };</code><br/><code>        readonly scriptedFields: {</code><br/><code>            readonly scriptFields: string;</code><br/><code>            readonly scriptAggs: string;</code><br/><code>            readonly painless: string;</code><br/><code>            readonly painlessApi: string;</code><br/><code>            readonly painlessSyntax: string;</code><br/><code>            readonly luceneExpressions: string;</code><br/><code>        };</code><br/><code>        readonly indexPatterns: {</code><br/><code>            readonly loadingData: string;</code><br/><code>            readonly introduction: string;</code><br/><code>        };</code><br/><code>        readonly kibana: string;</code><br/><code>        readonly siem: {</code><br/><code>            readonly guide: string;</code><br/><code>            readonly gettingStarted: string;</code><br/><code>        };</code><br/><code>        readonly query: {</code><br/><code>            readonly luceneQuerySyntax: string;</code><br/><code>            readonly queryDsl: string;</code><br/><code>            readonly kueryQuerySyntax: string;</code><br/><code>        };</code><br/><code>        readonly date: {</code><br/><code>            readonly dateMath: string;</code><br/><code>        };</code><br/><code>        readonly management: Record&lt;string, string&gt;;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [DocLinksStart](./kibana-plugin-public.doclinksstart.md)
+
+## DocLinksStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DocLinksStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [DOC\_LINK\_VERSION](./kibana-plugin-public.doclinksstart.doc_link_version.md) | <code>string</code> |  |
+|  [ELASTIC\_WEBSITE\_URL](./kibana-plugin-public.doclinksstart.elastic_website_url.md) | <code>string</code> |  |
+|  [links](./kibana-plugin-public.doclinksstart.links.md) | <code>{</code><br/><code>        readonly filebeat: {</code><br/><code>            readonly base: string;</code><br/><code>            readonly installation: string;</code><br/><code>            readonly configuration: string;</code><br/><code>            readonly elasticsearchOutput: string;</code><br/><code>            readonly startup: string;</code><br/><code>            readonly exportedFields: string;</code><br/><code>        };</code><br/><code>        readonly auditbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly metricbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly heartbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly logstash: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly functionbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly winlogbeat: {</code><br/><code>            readonly base: string;</code><br/><code>        };</code><br/><code>        readonly aggs: {</code><br/><code>            readonly date_histogram: string;</code><br/><code>            readonly date_range: string;</code><br/><code>            readonly filter: string;</code><br/><code>            readonly filters: string;</code><br/><code>            readonly geohash_grid: string;</code><br/><code>            readonly histogram: string;</code><br/><code>            readonly ip_range: string;</code><br/><code>            readonly range: string;</code><br/><code>            readonly significant_terms: string;</code><br/><code>            readonly terms: string;</code><br/><code>            readonly avg: string;</code><br/><code>            readonly avg_bucket: string;</code><br/><code>            readonly max_bucket: string;</code><br/><code>            readonly min_bucket: string;</code><br/><code>            readonly sum_bucket: string;</code><br/><code>            readonly cardinality: string;</code><br/><code>            readonly count: string;</code><br/><code>            readonly cumulative_sum: string;</code><br/><code>            readonly derivative: string;</code><br/><code>            readonly geo_bounds: string;</code><br/><code>            readonly geo_centroid: string;</code><br/><code>            readonly max: string;</code><br/><code>            readonly median: string;</code><br/><code>            readonly min: string;</code><br/><code>            readonly moving_avg: string;</code><br/><code>            readonly percentile_ranks: string;</code><br/><code>            readonly serial_diff: string;</code><br/><code>            readonly std_dev: string;</code><br/><code>            readonly sum: string;</code><br/><code>            readonly top_hits: string;</code><br/><code>        };</code><br/><code>        readonly scriptedFields: {</code><br/><code>            readonly scriptFields: string;</code><br/><code>            readonly scriptAggs: string;</code><br/><code>            readonly painless: string;</code><br/><code>            readonly painlessApi: string;</code><br/><code>            readonly painlessSyntax: string;</code><br/><code>            readonly luceneExpressions: string;</code><br/><code>        };</code><br/><code>        readonly indexPatterns: {</code><br/><code>            readonly loadingData: string;</code><br/><code>            readonly introduction: string;</code><br/><code>        };</code><br/><code>        readonly kibana: string;</code><br/><code>        readonly siem: {</code><br/><code>            readonly guide: string;</code><br/><code>            readonly gettingStarted: string;</code><br/><code>        };</code><br/><code>        readonly query: {</code><br/><code>            readonly luceneQuerySyntax: string;</code><br/><code>            readonly queryDsl: string;</code><br/><code>            readonly kueryQuerySyntax: string;</code><br/><code>        };</code><br/><code>        readonly date: {</code><br/><code>            readonly dateMath: string;</code><br/><code>        };</code><br/><code>        readonly management: Record&lt;string, string&gt;;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md b/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
index b82e851da2b66..1e070ba8d9884 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.dev.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [dev](./kibana-plugin-public.environmentmode.dev.md)
-
-## EnvironmentMode.dev property
-
-<b>Signature:</b>
-
-```typescript
-dev: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [dev](./kibana-plugin-public.environmentmode.dev.md)
+
+## EnvironmentMode.dev property
+
+<b>Signature:</b>
+
+```typescript
+dev: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.md b/docs/development/core/public/kibana-plugin-public.environmentmode.md
index 14ab1316f5269..e869729319b0c 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md)
-
-## EnvironmentMode interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface EnvironmentMode 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [dev](./kibana-plugin-public.environmentmode.dev.md) | <code>boolean</code> |  |
-|  [name](./kibana-plugin-public.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
-|  [prod](./kibana-plugin-public.environmentmode.prod.md) | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md)
+
+## EnvironmentMode interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface EnvironmentMode 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [dev](./kibana-plugin-public.environmentmode.dev.md) | <code>boolean</code> |  |
+|  [name](./kibana-plugin-public.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
+|  [prod](./kibana-plugin-public.environmentmode.prod.md) | <code>boolean</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.name.md b/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
index 5983fea856750..105853c35d0dd 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [name](./kibana-plugin-public.environmentmode.name.md)
-
-## EnvironmentMode.name property
-
-<b>Signature:</b>
-
-```typescript
-name: 'development' | 'production';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [name](./kibana-plugin-public.environmentmode.name.md)
+
+## EnvironmentMode.name property
+
+<b>Signature:</b>
+
+```typescript
+name: 'development' | 'production';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md b/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
index 4b46e8b9cc9f9..ebbbf7f0c2531 100644
--- a/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
+++ b/docs/development/core/public/kibana-plugin-public.environmentmode.prod.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [prod](./kibana-plugin-public.environmentmode.prod.md)
-
-## EnvironmentMode.prod property
-
-<b>Signature:</b>
-
-```typescript
-prod: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [EnvironmentMode](./kibana-plugin-public.environmentmode.md) &gt; [prod](./kibana-plugin-public.environmentmode.prod.md)
+
+## EnvironmentMode.prod property
+
+<b>Signature:</b>
+
+```typescript
+prod: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
index 1755e6cbde919..2018bcb643906 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md)
-
-## ErrorToastOptions interface
-
-Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
-
-<b>Signature:</b>
-
-```typescript
-export interface ErrorToastOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [title](./kibana-plugin-public.errortoastoptions.title.md) | <code>string</code> | The title of the toast and the dialog when expanding the message. |
-|  [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md) | <code>string</code> | The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md)
+
+## ErrorToastOptions interface
+
+Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
+
+<b>Signature:</b>
+
+```typescript
+export interface ErrorToastOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [title](./kibana-plugin-public.errortoastoptions.title.md) | <code>string</code> | The title of the toast and the dialog when expanding the message. |
+|  [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md) | <code>string</code> | The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
index 8c636998bcbd7..3e21fc1e7f599 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.title.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [title](./kibana-plugin-public.errortoastoptions.title.md)
-
-## ErrorToastOptions.title property
-
-The title of the toast and the dialog when expanding the message.
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [title](./kibana-plugin-public.errortoastoptions.title.md)
+
+## ErrorToastOptions.title property
+
+The title of the toast and the dialog when expanding the message.
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md b/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
index 8094ed3a5bdc7..633bff7dae7f9 100644
--- a/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
+++ b/docs/development/core/public/kibana-plugin-public.errortoastoptions.toastmessage.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md)
-
-## ErrorToastOptions.toastMessage property
-
-The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal.
-
-<b>Signature:</b>
-
-```typescript
-toastMessage?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) &gt; [toastMessage](./kibana-plugin-public.errortoastoptions.toastmessage.md)
+
+## ErrorToastOptions.toastMessage property
+
+The message to be shown in the toast. If this is not specified the error's message will be shown in the toast instead. Overwriting that message can be used to provide more user-friendly toasts. If you specify this, the error message will still be shown in the detailed error modal.
+
+<b>Signature:</b>
+
+```typescript
+toastMessage?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
index a1e2a95ec9bb1..9ee6ed00d897e 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md)
-
-## FatalErrorInfo interface
-
-Represents the `message` and `stack` of a fatal Error
-
-<b>Signature:</b>
-
-```typescript
-export interface FatalErrorInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.fatalerrorinfo.message.md) | <code>string</code> |  |
-|  [stack](./kibana-plugin-public.fatalerrorinfo.stack.md) | <code>string &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md)
+
+## FatalErrorInfo interface
+
+Represents the `message` and `stack` of a fatal Error
+
+<b>Signature:</b>
+
+```typescript
+export interface FatalErrorInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.fatalerrorinfo.message.md) | <code>string</code> |  |
+|  [stack](./kibana-plugin-public.fatalerrorinfo.stack.md) | <code>string &#124; undefined</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
index 8eebba48f0777..29c338580ceb4 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [message](./kibana-plugin-public.fatalerrorinfo.message.md)
-
-## FatalErrorInfo.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [message](./kibana-plugin-public.fatalerrorinfo.message.md)
+
+## FatalErrorInfo.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
index 5578e4f8c8acd..5d24ec6d82c59 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorinfo.stack.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [stack](./kibana-plugin-public.fatalerrorinfo.stack.md)
-
-## FatalErrorInfo.stack property
-
-<b>Signature:</b>
-
-```typescript
-stack: string | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) &gt; [stack](./kibana-plugin-public.fatalerrorinfo.stack.md)
+
+## FatalErrorInfo.stack property
+
+<b>Signature:</b>
+
+```typescript
+stack: string | undefined;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
index 31a1c239388ee..778b945de848a 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.add.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [add](./kibana-plugin-public.fatalerrorssetup.add.md)
-
-## FatalErrorsSetup.add property
-
-Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-add: (error: string | Error, source?: string) => never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [add](./kibana-plugin-public.fatalerrorssetup.add.md)
+
+## FatalErrorsSetup.add property
+
+Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+add: (error: string | Error, source?: string) => never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
index a3498e58c33b6..c99c78ef948df 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.get_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [get$](./kibana-plugin-public.fatalerrorssetup.get_.md)
-
-## FatalErrorsSetup.get$ property
-
-An Observable that will emit whenever a fatal error is added with `add()`
-
-<b>Signature:</b>
-
-```typescript
-get$: () => Rx.Observable<FatalErrorInfo>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) &gt; [get$](./kibana-plugin-public.fatalerrorssetup.get_.md)
+
+## FatalErrorsSetup.get$ property
+
+An Observable that will emit whenever a fatal error is added with `add()`
+
+<b>Signature:</b>
+
+```typescript
+get$: () => Rx.Observable<FatalErrorInfo>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
index 87d637bb52183..728723c3f9764 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorssetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
-
-## FatalErrorsSetup interface
-
-FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-export interface FatalErrorsSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [add](./kibana-plugin-public.fatalerrorssetup.add.md) | <code>(error: string &#124; Error, source?: string) =&gt; never</code> | Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error. |
-|  [get$](./kibana-plugin-public.fatalerrorssetup.get_.md) | <code>() =&gt; Rx.Observable&lt;FatalErrorInfo&gt;</code> | An Observable that will emit whenever a fatal error is added with <code>add()</code> |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md)
+
+## FatalErrorsSetup interface
+
+FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+export interface FatalErrorsSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [add](./kibana-plugin-public.fatalerrorssetup.add.md) | <code>(error: string &#124; Error, source?: string) =&gt; never</code> | Add a new fatal error. This will stop the Kibana Public Core and display a fatal error screen with details about the Kibana build and the error. |
+|  [get$](./kibana-plugin-public.fatalerrorssetup.get_.md) | <code>() =&gt; Rx.Observable&lt;FatalErrorInfo&gt;</code> | An Observable that will emit whenever a fatal error is added with <code>add()</code> |
+
diff --git a/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md b/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
index a8ece7dcb7e02..93579079fe9b2 100644
--- a/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.fatalerrorsstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
-
-## FatalErrorsStart type
-
-FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
-
-<b>Signature:</b>
-
-```typescript
-export declare type FatalErrorsStart = FatalErrorsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md)
+
+## FatalErrorsStart type
+
+FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error.
+
+<b>Signature:</b>
+
+```typescript
+export declare type FatalErrorsStart = FatalErrorsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlercontexttype.md b/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
index b083449d2b703..561b5fb483ff0 100644
--- a/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
+++ b/docs/development/core/public/kibana-plugin-public.handlercontexttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)
-
-## HandlerContextType type
-
-Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)
+
+## HandlerContextType type
+
+Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlerfunction.md b/docs/development/core/public/kibana-plugin-public.handlerfunction.md
index 98c342c17691d..973dbc6837325 100644
--- a/docs/development/core/public/kibana-plugin-public.handlerfunction.md
+++ b/docs/development/core/public/kibana-plugin-public.handlerfunction.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerFunction](./kibana-plugin-public.handlerfunction.md)
-
-## HandlerFunction type
-
-A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerFunction](./kibana-plugin-public.handlerfunction.md)
+
+## HandlerFunction type
+
+A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.handlerparameters.md b/docs/development/core/public/kibana-plugin-public.handlerparameters.md
index f46c4b649e943..8a9e51b66e71e 100644
--- a/docs/development/core/public/kibana-plugin-public.handlerparameters.md
+++ b/docs/development/core/public/kibana-plugin-public.handlerparameters.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerParameters](./kibana-plugin-public.handlerparameters.md)
-
-## HandlerParameters type
-
-Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HandlerParameters](./kibana-plugin-public.handlerparameters.md)
+
+## HandlerParameters type
+
+Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
index 207ddf205c88a..f1661cdb64b4a 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.asresponse.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md)
-
-## HttpFetchOptions.asResponse property
-
-When `true` the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When `false`<!-- -->, the return type will just be the parsed response body. Defaults to `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asResponse?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md)
+
+## HttpFetchOptions.asResponse property
+
+When `true` the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When `false`<!-- -->, the return type will just be the parsed response body. Defaults to `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asResponse?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
index 7243d318df6fc..609e4dd410601 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.assystemrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md)
-
-## HttpFetchOptions.asSystemRequest property
-
-Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asSystemRequest?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md)
+
+## HttpFetchOptions.asSystemRequest property
+
+Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asSystemRequest?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
index 232b7d3da3af4..4943f594e14cc 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [headers](./kibana-plugin-public.httpfetchoptions.headers.md)
-
-## HttpFetchOptions.headers property
-
-Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-headers?: HttpHeadersInit;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [headers](./kibana-plugin-public.httpfetchoptions.headers.md)
+
+## HttpFetchOptions.headers property
+
+Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+headers?: HttpHeadersInit;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
index 403a1ea7ee4e8..b7620f9e042db 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md)
-
-## HttpFetchOptions interface
-
-All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchOptions extends HttpRequestInit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md) | <code>boolean</code> | When <code>true</code> the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When <code>false</code>, the return type will just be the parsed response body. Defaults to <code>false</code>. |
-|  [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md) | <code>boolean</code> | Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to <code>false</code>. |
-|  [headers](./kibana-plugin-public.httpfetchoptions.headers.md) | <code>HttpHeadersInit</code> | Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->. |
-|  [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md) | <code>boolean</code> | Whether or not the request should automatically prepend the basePath. Defaults to <code>true</code>. |
-|  [query](./kibana-plugin-public.httpfetchoptions.query.md) | <code>HttpFetchQuery</code> | The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md)
+
+## HttpFetchOptions interface
+
+All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchOptions extends HttpRequestInit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [asResponse](./kibana-plugin-public.httpfetchoptions.asresponse.md) | <code>boolean</code> | When <code>true</code> the return type of [HttpHandler](./kibana-plugin-public.httphandler.md) will be an [HttpResponse](./kibana-plugin-public.httpresponse.md) with detailed request and response information. When <code>false</code>, the return type will just be the parsed response body. Defaults to <code>false</code>. |
+|  [asSystemRequest](./kibana-plugin-public.httpfetchoptions.assystemrequest.md) | <code>boolean</code> | Whether or not the request should include the "system request" header to differentiate an end user request from Kibana internal request. Can be read on the server-side using KibanaRequest\#isSystemRequest. Defaults to <code>false</code>. |
+|  [headers](./kibana-plugin-public.httpfetchoptions.headers.md) | <code>HttpHeadersInit</code> | Headers to send with the request. See [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)<!-- -->. |
+|  [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md) | <code>boolean</code> | Whether or not the request should automatically prepend the basePath. Defaults to <code>true</code>. |
+|  [query](./kibana-plugin-public.httpfetchoptions.query.md) | <code>HttpFetchQuery</code> | The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
index 0a6a8e195e565..bebf99e25bbfc 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.prependbasepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md)
-
-## HttpFetchOptions.prependBasePath property
-
-Whether or not the request should automatically prepend the basePath. Defaults to `true`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-prependBasePath?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [prependBasePath](./kibana-plugin-public.httpfetchoptions.prependbasepath.md)
+
+## HttpFetchOptions.prependBasePath property
+
+Whether or not the request should automatically prepend the basePath. Defaults to `true`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+prependBasePath?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
index 0f8d6ba83e772..bae4edd22dd46 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptions.query.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [query](./kibana-plugin-public.httpfetchoptions.query.md)
-
-## HttpFetchOptions.query property
-
-The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-query?: HttpFetchQuery;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) &gt; [query](./kibana-plugin-public.httpfetchoptions.query.md)
+
+## HttpFetchOptions.query property
+
+The query string for an HTTP request. See [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+query?: HttpFetchQuery;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
index adccca83f5bb4..5c27122e07ba7 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md)
-
-## HttpFetchOptionsWithPath interface
-
-Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchOptionsWithPath extends HttpFetchOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md)
+
+## HttpFetchOptionsWithPath interface
+
+Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchOptionsWithPath extends HttpFetchOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
index 9341fd2f7693a..be84a6315564e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchoptionswithpath.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) &gt; [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md)
-
-## HttpFetchOptionsWithPath.path property
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) &gt; [path](./kibana-plugin-public.httpfetchoptionswithpath.path.md)
+
+## HttpFetchOptionsWithPath.path property
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpfetchquery.md b/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
index e09b22b074453..d270ceab91532 100644
--- a/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
+++ b/docs/development/core/public/kibana-plugin-public.httpfetchquery.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)
-
-## HttpFetchQuery interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpFetchQuery 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md)
+
+## HttpFetchQuery interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpFetchQuery 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httphandler.md b/docs/development/core/public/kibana-plugin-public.httphandler.md
index 42a6942eedef0..09d98fe97557f 100644
--- a/docs/development/core/public/kibana-plugin-public.httphandler.md
+++ b/docs/development/core/public/kibana-plugin-public.httphandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHandler](./kibana-plugin-public.httphandler.md)
-
-## HttpHandler interface
-
-A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpHandler 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHandler](./kibana-plugin-public.httphandler.md)
+
+## HttpHandler interface
+
+A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpHandler 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpheadersinit.md b/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
index 28177909972db..a0d5fec388f87 100644
--- a/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
+++ b/docs/development/core/public/kibana-plugin-public.httpheadersinit.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
-
-## HttpHeadersInit interface
-
-Headers to append to the request. Any headers that begin with `kbn-` are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpHeadersInit 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
+
+## HttpHeadersInit interface
+
+Headers to append to the request. Any headers that begin with `kbn-` are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpHeadersInit 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
index a00a7ab0854fb..1cf782b1ba749 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)
-
-## HttpInterceptor interface
-
-An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptor 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [request(fetchOptions, controller)](./kibana-plugin-public.httpinterceptor.request.md) | Define an interceptor to be executed before a request is sent. |
-|  [requestError(httpErrorRequest, controller)](./kibana-plugin-public.httpinterceptor.requesterror.md) | Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise. |
-|  [response(httpResponse, controller)](./kibana-plugin-public.httpinterceptor.response.md) | Define an interceptor to be executed after a response is received. |
-|  [responseError(httpErrorResponse, controller)](./kibana-plugin-public.httpinterceptor.responseerror.md) | Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)
+
+## HttpInterceptor interface
+
+An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptor 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [request(fetchOptions, controller)](./kibana-plugin-public.httpinterceptor.request.md) | Define an interceptor to be executed before a request is sent. |
+|  [requestError(httpErrorRequest, controller)](./kibana-plugin-public.httpinterceptor.requesterror.md) | Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise. |
+|  [response(httpResponse, controller)](./kibana-plugin-public.httpinterceptor.response.md) | Define an interceptor to be executed after a response is received. |
+|  [responseError(httpErrorResponse, controller)](./kibana-plugin-public.httpinterceptor.responseerror.md) | Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
index d1d559916b36d..8a6812f40e4cd 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.request.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [request](./kibana-plugin-public.httpinterceptor.request.md)
-
-## HttpInterceptor.request() method
-
-Define an interceptor to be executed before a request is sent.
-
-<b>Signature:</b>
-
-```typescript
-request?(fetchOptions: Readonly<HttpFetchOptionsWithPath>, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  fetchOptions | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [request](./kibana-plugin-public.httpinterceptor.request.md)
+
+## HttpInterceptor.request() method
+
+Define an interceptor to be executed before a request is sent.
+
+<b>Signature:</b>
+
+```typescript
+request?(fetchOptions: Readonly<HttpFetchOptionsWithPath>, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  fetchOptions | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
index fc661d88bf1af..7bb9202aa905e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.requesterror.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [requestError](./kibana-plugin-public.httpinterceptor.requesterror.md)
-
-## HttpInterceptor.requestError() method
-
-Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise.
-
-<b>Signature:</b>
-
-```typescript
-requestError?(httpErrorRequest: HttpInterceptorRequestError, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpErrorRequest | <code>HttpInterceptorRequestError</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [requestError](./kibana-plugin-public.httpinterceptor.requesterror.md)
+
+## HttpInterceptor.requestError() method
+
+Define an interceptor to be executed if a request interceptor throws an error or returns a rejected Promise.
+
+<b>Signature:</b>
+
+```typescript
+requestError?(httpErrorRequest: HttpInterceptorRequestError, controller: IHttpInterceptController): MaybePromise<Partial<HttpFetchOptionsWithPath>> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpErrorRequest | <code>HttpInterceptorRequestError</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<Partial<HttpFetchOptionsWithPath>> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
index 95cf78dd6f8d1..12a5b36090abc 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.response.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [response](./kibana-plugin-public.httpinterceptor.response.md)
-
-## HttpInterceptor.response() method
-
-Define an interceptor to be executed after a response is received.
-
-<b>Signature:</b>
-
-```typescript
-response?(httpResponse: HttpResponse, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpResponse | <code>HttpResponse</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<IHttpResponseInterceptorOverrides> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [response](./kibana-plugin-public.httpinterceptor.response.md)
+
+## HttpInterceptor.response() method
+
+Define an interceptor to be executed after a response is received.
+
+<b>Signature:</b>
+
+```typescript
+response?(httpResponse: HttpResponse, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpResponse | <code>HttpResponse</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<IHttpResponseInterceptorOverrides> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
index 50e943bc93b07..d3c2b6db128c1 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptor.responseerror.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [responseError](./kibana-plugin-public.httpinterceptor.responseerror.md)
-
-## HttpInterceptor.responseError() method
-
-Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise.
-
-<b>Signature:</b>
-
-```typescript
-responseError?(httpErrorResponse: HttpInterceptorResponseError, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  httpErrorResponse | <code>HttpInterceptorResponseError</code> |  |
-|  controller | <code>IHttpInterceptController</code> |  |
-
-<b>Returns:</b>
-
-`MaybePromise<IHttpResponseInterceptorOverrides> | void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) &gt; [responseError](./kibana-plugin-public.httpinterceptor.responseerror.md)
+
+## HttpInterceptor.responseError() method
+
+Define an interceptor to be executed if a response interceptor throws an error or returns a rejected Promise.
+
+<b>Signature:</b>
+
+```typescript
+responseError?(httpErrorResponse: HttpInterceptorResponseError, controller: IHttpInterceptController): MaybePromise<IHttpResponseInterceptorOverrides> | void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  httpErrorResponse | <code>HttpInterceptorResponseError</code> |  |
+|  controller | <code>IHttpInterceptController</code> |  |
+
+<b>Returns:</b>
+
+`MaybePromise<IHttpResponseInterceptorOverrides> | void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
index 28fde834d9721..2eeafffb8d556 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md)
-
-## HttpInterceptorRequestError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: Error;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md)
+
+## HttpInterceptorRequestError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: Error;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
index 79c086224ff10..31a7f8ef44d9f 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md)
-
-## HttpInterceptorRequestError.fetchOptions property
-
-<b>Signature:</b>
-
-```typescript
-fetchOptions: Readonly<HttpFetchOptionsWithPath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) &gt; [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md)
+
+## HttpInterceptorRequestError.fetchOptions property
+
+<b>Signature:</b>
+
+```typescript
+fetchOptions: Readonly<HttpFetchOptionsWithPath>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
index 4375719e0802b..4174523ed5fa6 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorrequesterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md)
-
-## HttpInterceptorRequestError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptorRequestError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md) | <code>Error</code> |  |
-|  [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md)
+
+## HttpInterceptorRequestError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptorRequestError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.httpinterceptorrequesterror.error.md) | <code>Error</code> |  |
+|  [fetchOptions](./kibana-plugin-public.httpinterceptorrequesterror.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
index a9bdf41b36868..c1367ccdd580e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md)
-
-## HttpInterceptorResponseError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: Error | IHttpFetchError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md)
+
+## HttpInterceptorResponseError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: Error | IHttpFetchError;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
index 49b4b2545a5f3..d306f9c6096bd 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md)
-
-## HttpInterceptorResponseError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpInterceptorResponseError extends HttpResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md) | <code>Error &#124; IHttpFetchError</code> |  |
-|  [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md) | <code>Readonly&lt;Request&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md)
+
+## HttpInterceptorResponseError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpInterceptorResponseError extends HttpResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.httpinterceptorresponseerror.error.md) | <code>Error &#124; IHttpFetchError</code> |  |
+|  [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md) | <code>Readonly&lt;Request&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
index cb6252ceb8e41..d2f2826c04283 100644
--- a/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpinterceptorresponseerror.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md)
-
-## HttpInterceptorResponseError.request property
-
-<b>Signature:</b>
-
-```typescript
-request: Readonly<Request>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) &gt; [request](./kibana-plugin-public.httpinterceptorresponseerror.request.md)
+
+## HttpInterceptorResponseError.request property
+
+<b>Signature:</b>
+
+```typescript
+request: Readonly<Request>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
index 44b33c9917543..ba0075787e5d1 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [body](./kibana-plugin-public.httprequestinit.body.md)
-
-## HttpRequestInit.body property
-
-A BodyInit object or null to set request's body.
-
-<b>Signature:</b>
-
-```typescript
-body?: BodyInit | null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [body](./kibana-plugin-public.httprequestinit.body.md)
+
+## HttpRequestInit.body property
+
+A BodyInit object or null to set request's body.
+
+<b>Signature:</b>
+
+```typescript
+body?: BodyInit | null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
index 0f9dff3887ccf..bb9071aa45aec 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.cache.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [cache](./kibana-plugin-public.httprequestinit.cache.md)
-
-## HttpRequestInit.cache property
-
-The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching.
-
-<b>Signature:</b>
-
-```typescript
-cache?: RequestCache;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [cache](./kibana-plugin-public.httprequestinit.cache.md)
+
+## HttpRequestInit.cache property
+
+The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching.
+
+<b>Signature:</b>
+
+```typescript
+cache?: RequestCache;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
index 93c624cd1980c..55355488df792 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.credentials.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [credentials](./kibana-plugin-public.httprequestinit.credentials.md)
-
-## HttpRequestInit.credentials property
-
-The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL.
-
-<b>Signature:</b>
-
-```typescript
-credentials?: RequestCredentials;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [credentials](./kibana-plugin-public.httprequestinit.credentials.md)
+
+## HttpRequestInit.credentials property
+
+The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL.
+
+<b>Signature:</b>
+
+```typescript
+credentials?: RequestCredentials;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
index 0f885ed0df1a3..f2f98eaa4451e 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [headers](./kibana-plugin-public.httprequestinit.headers.md)
-
-## HttpRequestInit.headers property
-
-[HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
-
-<b>Signature:</b>
-
-```typescript
-headers?: HttpHeadersInit;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [headers](./kibana-plugin-public.httprequestinit.headers.md)
+
+## HttpRequestInit.headers property
+
+[HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md)
+
+<b>Signature:</b>
+
+```typescript
+headers?: HttpHeadersInit;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
index 7bb1665fdfcbe..2da1f5827a680 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.integrity.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [integrity](./kibana-plugin-public.httprequestinit.integrity.md)
-
-## HttpRequestInit.integrity property
-
-Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace.
-
-<b>Signature:</b>
-
-```typescript
-integrity?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [integrity](./kibana-plugin-public.httprequestinit.integrity.md)
+
+## HttpRequestInit.integrity property
+
+Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace.
+
+<b>Signature:</b>
+
+```typescript
+integrity?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
index ba256188ce338..35a4020485bca 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.keepalive.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md)
-
-## HttpRequestInit.keepalive property
-
-Whether or not request can outlive the global in which it was created.
-
-<b>Signature:</b>
-
-```typescript
-keepalive?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md)
+
+## HttpRequestInit.keepalive property
+
+Whether or not request can outlive the global in which it was created.
+
+<b>Signature:</b>
+
+```typescript
+keepalive?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.md
index 1271e039b0713..04b57e48109f6 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md)
-
-## HttpRequestInit interface
-
-Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpRequestInit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.httprequestinit.body.md) | <code>BodyInit &#124; null</code> | A BodyInit object or null to set request's body. |
-|  [cache](./kibana-plugin-public.httprequestinit.cache.md) | <code>RequestCache</code> | The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching. |
-|  [credentials](./kibana-plugin-public.httprequestinit.credentials.md) | <code>RequestCredentials</code> | The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL. |
-|  [headers](./kibana-plugin-public.httprequestinit.headers.md) | <code>HttpHeadersInit</code> | [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) |
-|  [integrity](./kibana-plugin-public.httprequestinit.integrity.md) | <code>string</code> | Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace. |
-|  [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md) | <code>boolean</code> | Whether or not request can outlive the global in which it was created. |
-|  [method](./kibana-plugin-public.httprequestinit.method.md) | <code>string</code> | HTTP method, which is "GET" by default. |
-|  [mode](./kibana-plugin-public.httprequestinit.mode.md) | <code>RequestMode</code> | The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs. |
-|  [redirect](./kibana-plugin-public.httprequestinit.redirect.md) | <code>RequestRedirect</code> | The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default. |
-|  [referrer](./kibana-plugin-public.httprequestinit.referrer.md) | <code>string</code> | The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the <code>Referer</code> header of the request being made. |
-|  [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md) | <code>ReferrerPolicy</code> | The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer. |
-|  [signal](./kibana-plugin-public.httprequestinit.signal.md) | <code>AbortSignal &#124; null</code> | Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler. |
-|  [window](./kibana-plugin-public.httprequestinit.window.md) | <code>null</code> | Can only be null. Used to disassociate request from any Window. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md)
+
+## HttpRequestInit interface
+
+Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpRequestInit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.httprequestinit.body.md) | <code>BodyInit &#124; null</code> | A BodyInit object or null to set request's body. |
+|  [cache](./kibana-plugin-public.httprequestinit.cache.md) | <code>RequestCache</code> | The cache mode associated with request, which is a string indicating how the request will interact with the browser's cache when fetching. |
+|  [credentials](./kibana-plugin-public.httprequestinit.credentials.md) | <code>RequestCredentials</code> | The credentials mode associated with request, which is a string indicating whether credentials will be sent with the request always, never, or only when sent to a same-origin URL. |
+|  [headers](./kibana-plugin-public.httprequestinit.headers.md) | <code>HttpHeadersInit</code> | [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) |
+|  [integrity](./kibana-plugin-public.httprequestinit.integrity.md) | <code>string</code> | Subresource integrity metadata, which is a cryptographic hash of the resource being fetched. Its value consists of multiple hashes separated by whitespace. |
+|  [keepalive](./kibana-plugin-public.httprequestinit.keepalive.md) | <code>boolean</code> | Whether or not request can outlive the global in which it was created. |
+|  [method](./kibana-plugin-public.httprequestinit.method.md) | <code>string</code> | HTTP method, which is "GET" by default. |
+|  [mode](./kibana-plugin-public.httprequestinit.mode.md) | <code>RequestMode</code> | The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs. |
+|  [redirect](./kibana-plugin-public.httprequestinit.redirect.md) | <code>RequestRedirect</code> | The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default. |
+|  [referrer](./kibana-plugin-public.httprequestinit.referrer.md) | <code>string</code> | The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the <code>Referer</code> header of the request being made. |
+|  [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md) | <code>ReferrerPolicy</code> | The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer. |
+|  [signal](./kibana-plugin-public.httprequestinit.signal.md) | <code>AbortSignal &#124; null</code> | Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler. |
+|  [window](./kibana-plugin-public.httprequestinit.window.md) | <code>null</code> | Can only be null. Used to disassociate request from any Window. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
index c3465ae75521d..1c14d72e5e5f9 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.method.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [method](./kibana-plugin-public.httprequestinit.method.md)
-
-## HttpRequestInit.method property
-
-HTTP method, which is "GET" by default.
-
-<b>Signature:</b>
-
-```typescript
-method?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [method](./kibana-plugin-public.httprequestinit.method.md)
+
+## HttpRequestInit.method property
+
+HTTP method, which is "GET" by default.
+
+<b>Signature:</b>
+
+```typescript
+method?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
index 5ba625318eb27..d3358a3a6b068 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.mode.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [mode](./kibana-plugin-public.httprequestinit.mode.md)
-
-## HttpRequestInit.mode property
-
-The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs.
-
-<b>Signature:</b>
-
-```typescript
-mode?: RequestMode;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [mode](./kibana-plugin-public.httprequestinit.mode.md)
+
+## HttpRequestInit.mode property
+
+The mode associated with request, which is a string indicating whether the request will use CORS, or will be restricted to same-origin URLs.
+
+<b>Signature:</b>
+
+```typescript
+mode?: RequestMode;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
index b2554812fadf9..6b07fd44416b7 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.redirect.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [redirect](./kibana-plugin-public.httprequestinit.redirect.md)
-
-## HttpRequestInit.redirect property
-
-The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default.
-
-<b>Signature:</b>
-
-```typescript
-redirect?: RequestRedirect;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [redirect](./kibana-plugin-public.httprequestinit.redirect.md)
+
+## HttpRequestInit.redirect property
+
+The redirect mode associated with request, which is a string indicating how redirects for the request will be handled during fetching. A request will follow redirects by default.
+
+<b>Signature:</b>
+
+```typescript
+redirect?: RequestRedirect;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
index 56c9bcb4afaa9..c1a8960de6eac 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrer](./kibana-plugin-public.httprequestinit.referrer.md)
-
-## HttpRequestInit.referrer property
-
-The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the `Referer` header of the request being made.
-
-<b>Signature:</b>
-
-```typescript
-referrer?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrer](./kibana-plugin-public.httprequestinit.referrer.md)
+
+## HttpRequestInit.referrer property
+
+The referrer of request. Its value can be a same-origin URL if explicitly set in init, the empty string to indicate no referrer, and "about:client" when defaulting to the global's default. This is used during fetching to determine the value of the `Referer` header of the request being made.
+
+<b>Signature:</b>
+
+```typescript
+referrer?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
index 07231203c0030..05e1e2487f8f2 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.referrerpolicy.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md)
-
-## HttpRequestInit.referrerPolicy property
-
-The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer.
-
-<b>Signature:</b>
-
-```typescript
-referrerPolicy?: ReferrerPolicy;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [referrerPolicy](./kibana-plugin-public.httprequestinit.referrerpolicy.md)
+
+## HttpRequestInit.referrerPolicy property
+
+The referrer policy associated with request. This is used during fetching to compute the value of the request's referrer.
+
+<b>Signature:</b>
+
+```typescript
+referrerPolicy?: ReferrerPolicy;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
index b0e863eaa804f..38a9f5d48056a 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.signal.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [signal](./kibana-plugin-public.httprequestinit.signal.md)
-
-## HttpRequestInit.signal property
-
-Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler.
-
-<b>Signature:</b>
-
-```typescript
-signal?: AbortSignal | null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [signal](./kibana-plugin-public.httprequestinit.signal.md)
+
+## HttpRequestInit.signal property
+
+Returns the signal associated with request, which is an AbortSignal object indicating whether or not request has been aborted, and its abort event handler.
+
+<b>Signature:</b>
+
+```typescript
+signal?: AbortSignal | null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md b/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
index 1a6d740065423..67a3a163a5d27 100644
--- a/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
+++ b/docs/development/core/public/kibana-plugin-public.httprequestinit.window.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [window](./kibana-plugin-public.httprequestinit.window.md)
-
-## HttpRequestInit.window property
-
-Can only be null. Used to disassociate request from any Window.
-
-<b>Signature:</b>
-
-```typescript
-window?: null;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) &gt; [window](./kibana-plugin-public.httprequestinit.window.md)
+
+## HttpRequestInit.window property
+
+Can only be null. Used to disassociate request from any Window.
+
+<b>Signature:</b>
+
+```typescript
+window?: null;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.body.md b/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
index 3eb167afaa40e..773812135602b 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [body](./kibana-plugin-public.httpresponse.body.md)
-
-## HttpResponse.body property
-
-Parsed body received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: TResponseBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [body](./kibana-plugin-public.httpresponse.body.md)
+
+## HttpResponse.body property
+
+Parsed body received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: TResponseBody;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md b/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
index 65974efe8494e..8fd4f8d1e908e 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.fetchoptions.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md)
-
-## HttpResponse.fetchOptions property
-
-The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request.
-
-<b>Signature:</b>
-
-```typescript
-readonly fetchOptions: Readonly<HttpFetchOptionsWithPath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md)
+
+## HttpResponse.fetchOptions property
+
+The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request.
+
+<b>Signature:</b>
+
+```typescript
+readonly fetchOptions: Readonly<HttpFetchOptionsWithPath>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.md b/docs/development/core/public/kibana-plugin-public.httpresponse.md
index 74097533f6090..3e70e5556b982 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md)
-
-## HttpResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpResponse<TResponseBody = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.httpresponse.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
-|  [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> | The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request. |
-|  [request](./kibana-plugin-public.httpresponse.request.md) | <code>Readonly&lt;Request&gt;</code> | Raw request sent to Kibana server. |
-|  [response](./kibana-plugin-public.httpresponse.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md)
+
+## HttpResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpResponse<TResponseBody = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.httpresponse.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
+|  [fetchOptions](./kibana-plugin-public.httpresponse.fetchoptions.md) | <code>Readonly&lt;HttpFetchOptionsWithPath&gt;</code> | The original [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) used to send this request. |
+|  [request](./kibana-plugin-public.httpresponse.request.md) | <code>Readonly&lt;Request&gt;</code> | Raw request sent to Kibana server. |
+|  [response](./kibana-plugin-public.httpresponse.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.request.md b/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
index c2a483033247d..583a295e26a72 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.request.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [request](./kibana-plugin-public.httpresponse.request.md)
-
-## HttpResponse.request property
-
-Raw request sent to Kibana server.
-
-<b>Signature:</b>
-
-```typescript
-readonly request: Readonly<Request>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [request](./kibana-plugin-public.httpresponse.request.md)
+
+## HttpResponse.request property
+
+Raw request sent to Kibana server.
+
+<b>Signature:</b>
+
+```typescript
+readonly request: Readonly<Request>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpresponse.response.md b/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
index 3a58a3f35012f..b773b3a4d5b55 100644
--- a/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
+++ b/docs/development/core/public/kibana-plugin-public.httpresponse.response.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [response](./kibana-plugin-public.httpresponse.response.md)
-
-## HttpResponse.response property
-
-Raw response received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Readonly<Response>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpResponse](./kibana-plugin-public.httpresponse.md) &gt; [response](./kibana-plugin-public.httpresponse.response.md)
+
+## HttpResponse.response property
+
+Raw response received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Readonly<Response>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md b/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
index a2fe66bb55c77..88b1e14f6e85b 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.addloadingcountsource.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [addLoadingCountSource](./kibana-plugin-public.httpsetup.addloadingcountsource.md)
-
-## HttpSetup.addLoadingCountSource() method
-
-Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0.
-
-<b>Signature:</b>
-
-```typescript
-addLoadingCountSource(countSource$: Observable<number>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  countSource$ | <code>Observable&lt;number&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [addLoadingCountSource](./kibana-plugin-public.httpsetup.addloadingcountsource.md)
+
+## HttpSetup.addLoadingCountSource() method
+
+Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0.
+
+<b>Signature:</b>
+
+```typescript
+addLoadingCountSource(countSource$: Observable<number>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  countSource$ | <code>Observable&lt;number&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md b/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
index a9268ca1d8ed6..c44357b39443f 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.anonymouspaths.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md)
-
-## HttpSetup.anonymousPaths property
-
-APIs for denoting certain paths for not requiring authentication
-
-<b>Signature:</b>
-
-```typescript
-anonymousPaths: IAnonymousPaths;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md)
+
+## HttpSetup.anonymousPaths property
+
+APIs for denoting certain paths for not requiring authentication
+
+<b>Signature:</b>
+
+```typescript
+anonymousPaths: IAnonymousPaths;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md b/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
index 6b0726dc8ef2b..fa5ec7d6fef38 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.basepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [basePath](./kibana-plugin-public.httpsetup.basepath.md)
-
-## HttpSetup.basePath property
-
-APIs for manipulating the basePath on URL segments.
-
-<b>Signature:</b>
-
-```typescript
-basePath: IBasePath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [basePath](./kibana-plugin-public.httpsetup.basepath.md)
+
+## HttpSetup.basePath property
+
+APIs for manipulating the basePath on URL segments.
+
+<b>Signature:</b>
+
+```typescript
+basePath: IBasePath;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md b/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
index 565f0eb336d4f..83ce558826baf 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [delete](./kibana-plugin-public.httpsetup.delete.md)
-
-## HttpSetup.delete property
-
-Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-delete: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [delete](./kibana-plugin-public.httpsetup.delete.md)
+
+## HttpSetup.delete property
+
+Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+delete: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md b/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
index 2d6447363fa9b..4f9b24ca03e61 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.fetch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [fetch](./kibana-plugin-public.httpsetup.fetch.md)
-
-## HttpSetup.fetch property
-
-Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-fetch: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [fetch](./kibana-plugin-public.httpsetup.fetch.md)
+
+## HttpSetup.fetch property
+
+Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+fetch: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.get.md b/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
index 0c484e33e9b58..920b53d23c95c 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [get](./kibana-plugin-public.httpsetup.get.md)
-
-## HttpSetup.get property
-
-Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-get: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [get](./kibana-plugin-public.httpsetup.get.md)
+
+## HttpSetup.get property
+
+Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+get: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md b/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
index 628b62b2ffc27..7f7a275e990f0 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.getloadingcount_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [getLoadingCount$](./kibana-plugin-public.httpsetup.getloadingcount_.md)
-
-## HttpSetup.getLoadingCount$() method
-
-Get the sum of all loading count sources as a single Observable.
-
-<b>Signature:</b>
-
-```typescript
-getLoadingCount$(): Observable<number>;
-```
-<b>Returns:</b>
-
-`Observable<number>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [getLoadingCount$](./kibana-plugin-public.httpsetup.getloadingcount_.md)
+
+## HttpSetup.getLoadingCount$() method
+
+Get the sum of all loading count sources as a single Observable.
+
+<b>Signature:</b>
+
+```typescript
+getLoadingCount$(): Observable<number>;
+```
+<b>Returns:</b>
+
+`Observable<number>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.head.md b/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
index e4d49c843e572..243998a68eb44 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.head.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [head](./kibana-plugin-public.httpsetup.head.md)
-
-## HttpSetup.head property
-
-Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-head: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [head](./kibana-plugin-public.httpsetup.head.md)
+
+## HttpSetup.head property
+
+Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+head: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md b/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
index 1bda0c6166e65..36cf80aeb52de 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.intercept.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [intercept](./kibana-plugin-public.httpsetup.intercept.md)
-
-## HttpSetup.intercept() method
-
-Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client.
-
-<b>Signature:</b>
-
-```typescript
-intercept(interceptor: HttpInterceptor): () => void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  interceptor | <code>HttpInterceptor</code> |  |
-
-<b>Returns:</b>
-
-`() => void`
-
-a function for removing the attached interceptor.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [intercept](./kibana-plugin-public.httpsetup.intercept.md)
+
+## HttpSetup.intercept() method
+
+Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client.
+
+<b>Signature:</b>
+
+```typescript
+intercept(interceptor: HttpInterceptor): () => void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  interceptor | <code>HttpInterceptor</code> |  |
+
+<b>Returns:</b>
+
+`() => void`
+
+a function for removing the attached interceptor.
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.md b/docs/development/core/public/kibana-plugin-public.httpsetup.md
index 8a14d26c57ca3..d458f0edcc8a8 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-## HttpSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md) | <code>IAnonymousPaths</code> | APIs for denoting certain paths for not requiring authentication |
-|  [basePath](./kibana-plugin-public.httpsetup.basepath.md) | <code>IBasePath</code> | APIs for manipulating the basePath on URL segments. |
-|  [delete](./kibana-plugin-public.httpsetup.delete.md) | <code>HttpHandler</code> | Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [fetch](./kibana-plugin-public.httpsetup.fetch.md) | <code>HttpHandler</code> | Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [get](./kibana-plugin-public.httpsetup.get.md) | <code>HttpHandler</code> | Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [head](./kibana-plugin-public.httpsetup.head.md) | <code>HttpHandler</code> | Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [options](./kibana-plugin-public.httpsetup.options.md) | <code>HttpHandler</code> | Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [patch](./kibana-plugin-public.httpsetup.patch.md) | <code>HttpHandler</code> | Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [post](./kibana-plugin-public.httpsetup.post.md) | <code>HttpHandler</code> | Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-|  [put](./kibana-plugin-public.httpsetup.put.md) | <code>HttpHandler</code> | Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [addLoadingCountSource(countSource$)](./kibana-plugin-public.httpsetup.addloadingcountsource.md) | Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0. |
-|  [getLoadingCount$()](./kibana-plugin-public.httpsetup.getloadingcount_.md) | Get the sum of all loading count sources as a single Observable. |
-|  [intercept(interceptor)](./kibana-plugin-public.httpsetup.intercept.md) | Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+## HttpSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [anonymousPaths](./kibana-plugin-public.httpsetup.anonymouspaths.md) | <code>IAnonymousPaths</code> | APIs for denoting certain paths for not requiring authentication |
+|  [basePath](./kibana-plugin-public.httpsetup.basepath.md) | <code>IBasePath</code> | APIs for manipulating the basePath on URL segments. |
+|  [delete](./kibana-plugin-public.httpsetup.delete.md) | <code>HttpHandler</code> | Makes an HTTP request with the DELETE method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [fetch](./kibana-plugin-public.httpsetup.fetch.md) | <code>HttpHandler</code> | Makes an HTTP request. Defaults to a GET request unless overriden. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [get](./kibana-plugin-public.httpsetup.get.md) | <code>HttpHandler</code> | Makes an HTTP request with the GET method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [head](./kibana-plugin-public.httpsetup.head.md) | <code>HttpHandler</code> | Makes an HTTP request with the HEAD method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [options](./kibana-plugin-public.httpsetup.options.md) | <code>HttpHandler</code> | Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [patch](./kibana-plugin-public.httpsetup.patch.md) | <code>HttpHandler</code> | Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [post](./kibana-plugin-public.httpsetup.post.md) | <code>HttpHandler</code> | Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+|  [put](./kibana-plugin-public.httpsetup.put.md) | <code>HttpHandler</code> | Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [addLoadingCountSource(countSource$)](./kibana-plugin-public.httpsetup.addloadingcountsource.md) | Adds a new source of loading counts. Used to show the global loading indicator when sum of all observed counts are more than 0. |
+|  [getLoadingCount$()](./kibana-plugin-public.httpsetup.getloadingcount_.md) | Get the sum of all loading count sources as a single Observable. |
+|  [intercept(interceptor)](./kibana-plugin-public.httpsetup.intercept.md) | Adds a new [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) to the global HTTP client. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.options.md b/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
index 4ea5be8826bff..005ca3ab19ddd 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [options](./kibana-plugin-public.httpsetup.options.md)
-
-## HttpSetup.options property
-
-Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-options: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [options](./kibana-plugin-public.httpsetup.options.md)
+
+## HttpSetup.options property
+
+Makes an HTTP request with the OPTIONS method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+options: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md b/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
index ef1d50005b012..ee06af0ca6351 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.patch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [patch](./kibana-plugin-public.httpsetup.patch.md)
-
-## HttpSetup.patch property
-
-Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-patch: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [patch](./kibana-plugin-public.httpsetup.patch.md)
+
+## HttpSetup.patch property
+
+Makes an HTTP request with the PATCH method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+patch: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.post.md b/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
index 1c19c35ac3038..7b9a7af51fe04 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.post.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [post](./kibana-plugin-public.httpsetup.post.md)
-
-## HttpSetup.post property
-
-Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-post: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [post](./kibana-plugin-public.httpsetup.post.md)
+
+## HttpSetup.post property
+
+Makes an HTTP request with the POST method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+post: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpsetup.put.md b/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
index e5243d8c80dae..d9d412ff13d92 100644
--- a/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
+++ b/docs/development/core/public/kibana-plugin-public.httpsetup.put.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [put](./kibana-plugin-public.httpsetup.put.md)
-
-## HttpSetup.put property
-
-Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
-
-<b>Signature:</b>
-
-```typescript
-put: HttpHandler;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpSetup](./kibana-plugin-public.httpsetup.md) &gt; [put](./kibana-plugin-public.httpsetup.put.md)
+
+## HttpSetup.put property
+
+Makes an HTTP request with the PUT method. See [HttpHandler](./kibana-plugin-public.httphandler.md) for options.
+
+<b>Signature:</b>
+
+```typescript
+put: HttpHandler;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.httpstart.md b/docs/development/core/public/kibana-plugin-public.httpstart.md
index 9abf319acf00d..5e3b5d066b0db 100644
--- a/docs/development/core/public/kibana-plugin-public.httpstart.md
+++ b/docs/development/core/public/kibana-plugin-public.httpstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpStart](./kibana-plugin-public.httpstart.md)
-
-## HttpStart type
-
-See [HttpSetup](./kibana-plugin-public.httpsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HttpStart = HttpSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [HttpStart](./kibana-plugin-public.httpstart.md)
+
+## HttpStart type
+
+See [HttpSetup](./kibana-plugin-public.httpsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HttpStart = HttpSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.i18nstart.context.md b/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
index 1dda40711b49b..29ac950cc7adb 100644
--- a/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
+++ b/docs/development/core/public/kibana-plugin-public.i18nstart.context.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md) &gt; [Context](./kibana-plugin-public.i18nstart.context.md)
-
-## I18nStart.Context property
-
-React Context provider required as the topmost component for any i18n-compatible React tree.
-
-<b>Signature:</b>
-
-```typescript
-Context: ({ children }: {
-        children: React.ReactNode;
-    }) => JSX.Element;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md) &gt; [Context](./kibana-plugin-public.i18nstart.context.md)
+
+## I18nStart.Context property
+
+React Context provider required as the topmost component for any i18n-compatible React tree.
+
+<b>Signature:</b>
+
+```typescript
+Context: ({ children }: {
+        children: React.ReactNode;
+    }) => JSX.Element;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.i18nstart.md b/docs/development/core/public/kibana-plugin-public.i18nstart.md
index 0df5ee93a6af0..83dd60abfb490 100644
--- a/docs/development/core/public/kibana-plugin-public.i18nstart.md
+++ b/docs/development/core/public/kibana-plugin-public.i18nstart.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md)
-
-## I18nStart interface
-
-I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree.
-
-<b>Signature:</b>
-
-```typescript
-export interface I18nStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [Context](./kibana-plugin-public.i18nstart.context.md) | <code>({ children }: {</code><br/><code>        children: React.ReactNode;</code><br/><code>    }) =&gt; JSX.Element</code> | React Context provider required as the topmost component for any i18n-compatible React tree. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [I18nStart](./kibana-plugin-public.i18nstart.md)
+
+## I18nStart interface
+
+I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree.
+
+<b>Signature:</b>
+
+```typescript
+export interface I18nStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [Context](./kibana-plugin-public.i18nstart.context.md) | <code>({ children }: {</code><br/><code>        children: React.ReactNode;</code><br/><code>    }) =&gt; JSX.Element</code> | React Context provider required as the topmost component for any i18n-compatible React tree. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
index d6be78e1e725b..269c255e880f0 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.isanonymous.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [isAnonymous](./kibana-plugin-public.ianonymouspaths.isanonymous.md)
-
-## IAnonymousPaths.isAnonymous() method
-
-Determines whether the provided path doesn't require authentication. `path` should include the current basePath.
-
-<b>Signature:</b>
-
-```typescript
-isAnonymous(path: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  path | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [isAnonymous](./kibana-plugin-public.ianonymouspaths.isanonymous.md)
+
+## IAnonymousPaths.isAnonymous() method
+
+Determines whether the provided path doesn't require authentication. `path` should include the current basePath.
+
+<b>Signature:</b>
+
+```typescript
+isAnonymous(path: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  path | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
index 1290df28780cf..65563f1f8d903 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md)
-
-## IAnonymousPaths interface
-
-APIs for denoting paths as not requiring authentication
-
-<b>Signature:</b>
-
-```typescript
-export interface IAnonymousPaths 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [isAnonymous(path)](./kibana-plugin-public.ianonymouspaths.isanonymous.md) | Determines whether the provided path doesn't require authentication. <code>path</code> should include the current basePath. |
-|  [register(path)](./kibana-plugin-public.ianonymouspaths.register.md) | Register <code>path</code> as not requiring authentication. <code>path</code> should not include the current basePath. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md)
+
+## IAnonymousPaths interface
+
+APIs for denoting paths as not requiring authentication
+
+<b>Signature:</b>
+
+```typescript
+export interface IAnonymousPaths 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [isAnonymous(path)](./kibana-plugin-public.ianonymouspaths.isanonymous.md) | Determines whether the provided path doesn't require authentication. <code>path</code> should include the current basePath. |
+|  [register(path)](./kibana-plugin-public.ianonymouspaths.register.md) | Register <code>path</code> as not requiring authentication. <code>path</code> should not include the current basePath. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
index 3ab9bf438aa16..49819ae7f2420 100644
--- a/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
+++ b/docs/development/core/public/kibana-plugin-public.ianonymouspaths.register.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [register](./kibana-plugin-public.ianonymouspaths.register.md)
-
-## IAnonymousPaths.register() method
-
-Register `path` as not requiring authentication. `path` should not include the current basePath.
-
-<b>Signature:</b>
-
-```typescript
-register(path: string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  path | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) &gt; [register](./kibana-plugin-public.ianonymouspaths.register.md)
+
+## IAnonymousPaths.register() method
+
+Register `path` as not requiring authentication. `path` should not include the current basePath.
+
+<b>Signature:</b>
+
+```typescript
+register(path: string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  path | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.get.md b/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
index 08ca3afee11f7..2b3354c00c0f6 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [get](./kibana-plugin-public.ibasepath.get.md)
-
-## IBasePath.get property
-
-Gets the `basePath` string.
-
-<b>Signature:</b>
-
-```typescript
-get: () => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [get](./kibana-plugin-public.ibasepath.get.md)
+
+## IBasePath.get property
+
+Gets the `basePath` string.
+
+<b>Signature:</b>
+
+```typescript
+get: () => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.md b/docs/development/core/public/kibana-plugin-public.ibasepath.md
index de392d45c4493..ca4c4b7ad3be7 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md)
-
-## IBasePath interface
-
-APIs for manipulating the basePath on URL segments.
-
-<b>Signature:</b>
-
-```typescript
-export interface IBasePath 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-public.ibasepath.get.md) | <code>() =&gt; string</code> | Gets the <code>basePath</code> string. |
-|  [prepend](./kibana-plugin-public.ibasepath.prepend.md) | <code>(url: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
-|  [remove](./kibana-plugin-public.ibasepath.remove.md) | <code>(url: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md)
+
+## IBasePath interface
+
+APIs for manipulating the basePath on URL segments.
+
+<b>Signature:</b>
+
+```typescript
+export interface IBasePath 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-public.ibasepath.get.md) | <code>() =&gt; string</code> | Gets the <code>basePath</code> string. |
+|  [prepend](./kibana-plugin-public.ibasepath.prepend.md) | <code>(url: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
+|  [remove](./kibana-plugin-public.ibasepath.remove.md) | <code>(url: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md b/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
index 48b909aa2f7a8..98c07f848a5a9 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.prepend.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [prepend](./kibana-plugin-public.ibasepath.prepend.md)
-
-## IBasePath.prepend property
-
-Prepends `path` with the basePath.
-
-<b>Signature:</b>
-
-```typescript
-prepend: (url: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [prepend](./kibana-plugin-public.ibasepath.prepend.md)
+
+## IBasePath.prepend property
+
+Prepends `path` with the basePath.
+
+<b>Signature:</b>
+
+```typescript
+prepend: (url: string) => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md b/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
index 6af8564420830..ce930fa1e1596 100644
--- a/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.ibasepath.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [remove](./kibana-plugin-public.ibasepath.remove.md)
-
-## IBasePath.remove property
-
-Removes the prepended basePath from the `path`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-remove: (url: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IBasePath](./kibana-plugin-public.ibasepath.md) &gt; [remove](./kibana-plugin-public.ibasepath.remove.md)
+
+## IBasePath.remove property
+
+Removes the prepended basePath from the `path`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+remove: (url: string) => string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
index af3b5e3fc2eb6..58db072fabc15 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.createhandler.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-public.icontextcontainer.createhandler.md)
-
-## IContextContainer.createHandler() method
-
-Create a new handler function pre-wired to context for the plugin.
-
-<b>Signature:</b>
-
-```typescript
-createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
-|  handler | <code>THandler</code> | Handler function to pass context object to. |
-
-<b>Returns:</b>
-
-`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
-
-A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-public.icontextcontainer.createhandler.md)
+
+## IContextContainer.createHandler() method
+
+Create a new handler function pre-wired to context for the plugin.
+
+<b>Signature:</b>
+
+```typescript
+createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
+|  handler | <code>THandler</code> | Handler function to pass context object to. |
+
+<b>Returns:</b>
+
+`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
+
+A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
index 7a21df6b93bb5..4b01554662aad 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.md
@@ -1,80 +1,80 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
-
-## IContextContainer interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface IContextContainer<THandler extends HandlerFunction<any>> 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-public.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
-|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-public.icontextcontainer.registercontext.md) | Register a new context provider. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md)
+
+## IContextContainer interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface IContextContainer<THandler extends HandlerFunction<any>> 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-public.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-public.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-public.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
+|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-public.icontextcontainer.registercontext.md) | Register a new context provider. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md b/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
index 775f95bd7affa..15db2467582b6 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextcontainer.registercontext.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-public.icontextcontainer.registercontext.md)
-
-## IContextContainer.registerContext() method
-
-Register a new context provider.
-
-<b>Signature:</b>
-
-```typescript
-registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
-|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
-|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) to be called each time a new context is created. |
-
-<b>Returns:</b>
-
-`this`
-
-The [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for method chaining.
-
-## Remarks
-
-The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
-
-Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextContainer](./kibana-plugin-public.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-public.icontextcontainer.registercontext.md)
+
+## IContextContainer.registerContext() method
+
+Register a new context provider.
+
+<b>Signature:</b>
+
+```typescript
+registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
+|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
+|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-public.icontextprovider.md) to be called each time a new context is created. |
+
+<b>Returns:</b>
+
+`this`
+
+The [IContextContainer](./kibana-plugin-public.icontextcontainer.md) for method chaining.
+
+## Remarks
+
+The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
+
+Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
+
diff --git a/docs/development/core/public/kibana-plugin-public.icontextprovider.md b/docs/development/core/public/kibana-plugin-public.icontextprovider.md
index 40f0ee3782f6d..157b4834d648f 100644
--- a/docs/development/core/public/kibana-plugin-public.icontextprovider.md
+++ b/docs/development/core/public/kibana-plugin-public.icontextprovider.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextProvider](./kibana-plugin-public.icontextprovider.md)
-
-## IContextProvider type
-
-A function that returns a context value for a specific key of given context type.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
-```
-
-## Remarks
-
-This function will be called each time a new context is built for a handler invocation.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IContextProvider](./kibana-plugin-public.icontextprovider.md)
+
+## IContextProvider type
+
+A function that returns a context value for a specific key of given context type.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
+```
+
+## Remarks
+
+This function will be called each time a new context is built for a handler invocation.
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
index 2a5f3a68635b8..3c9475dc2549f 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.body.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [body](./kibana-plugin-public.ihttpfetcherror.body.md)
-
-## IHttpFetchError.body property
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [body](./kibana-plugin-public.ihttpfetcherror.body.md)
+
+## IHttpFetchError.body property
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: any;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
index 0be3b58179209..6109671bb1aa6 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md)
-
-## IHttpFetchError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpFetchError extends Error 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.ihttpfetcherror.body.md) | <code>any</code> |  |
-|  [req](./kibana-plugin-public.ihttpfetcherror.req.md) | <code>Request</code> |  |
-|  [request](./kibana-plugin-public.ihttpfetcherror.request.md) | <code>Request</code> |  |
-|  [res](./kibana-plugin-public.ihttpfetcherror.res.md) | <code>Response</code> |  |
-|  [response](./kibana-plugin-public.ihttpfetcherror.response.md) | <code>Response</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md)
+
+## IHttpFetchError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpFetchError extends Error 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.ihttpfetcherror.body.md) | <code>any</code> |  |
+|  [req](./kibana-plugin-public.ihttpfetcherror.req.md) | <code>Request</code> |  |
+|  [request](./kibana-plugin-public.ihttpfetcherror.request.md) | <code>Request</code> |  |
+|  [res](./kibana-plugin-public.ihttpfetcherror.res.md) | <code>Response</code> |  |
+|  [response](./kibana-plugin-public.ihttpfetcherror.response.md) | <code>Response</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
index 1d20aa5ecd416..b8d84e9bbec4c 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.req.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [req](./kibana-plugin-public.ihttpfetcherror.req.md)
-
-## IHttpFetchError.req property
-
-> Warning: This API is now obsolete.
-> 
-> Provided for legacy compatibility. Prefer the `request` property instead.
-> 
-
-<b>Signature:</b>
-
-```typescript
-readonly req: Request;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [req](./kibana-plugin-public.ihttpfetcherror.req.md)
+
+## IHttpFetchError.req property
+
+> Warning: This API is now obsolete.
+> 
+> Provided for legacy compatibility. Prefer the `request` property instead.
+> 
+
+<b>Signature:</b>
+
+```typescript
+readonly req: Request;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
index bbb1432f13bfb..9917df69c799a 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [request](./kibana-plugin-public.ihttpfetcherror.request.md)
-
-## IHttpFetchError.request property
-
-<b>Signature:</b>
-
-```typescript
-readonly request: Request;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [request](./kibana-plugin-public.ihttpfetcherror.request.md)
+
+## IHttpFetchError.request property
+
+<b>Signature:</b>
+
+```typescript
+readonly request: Request;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
index 291b28f6a4250..f23fdc3e40848 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.res.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [res](./kibana-plugin-public.ihttpfetcherror.res.md)
-
-## IHttpFetchError.res property
-
-> Warning: This API is now obsolete.
-> 
-> Provided for legacy compatibility. Prefer the `response` property instead.
-> 
-
-<b>Signature:</b>
-
-```typescript
-readonly res?: Response;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [res](./kibana-plugin-public.ihttpfetcherror.res.md)
+
+## IHttpFetchError.res property
+
+> Warning: This API is now obsolete.
+> 
+> Provided for legacy compatibility. Prefer the `response` property instead.
+> 
+
+<b>Signature:</b>
+
+```typescript
+readonly res?: Response;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
index c5efc1cc3858c..7e4639db1eefe 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpfetcherror.response.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [response](./kibana-plugin-public.ihttpfetcherror.response.md)
-
-## IHttpFetchError.response property
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Response;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) &gt; [response](./kibana-plugin-public.ihttpfetcherror.response.md)
+
+## IHttpFetchError.response property
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Response;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
index 6bd3e2e397b91..b501d7c97aded 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halt.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halt](./kibana-plugin-public.ihttpinterceptcontroller.halt.md)
-
-## IHttpInterceptController.halt() method
-
-Halt the request Promise chain and do not process further interceptors or response handlers.
-
-<b>Signature:</b>
-
-```typescript
-halt(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halt](./kibana-plugin-public.ihttpinterceptcontroller.halt.md)
+
+## IHttpInterceptController.halt() method
+
+Halt the request Promise chain and do not process further interceptors or response handlers.
+
+<b>Signature:</b>
+
+```typescript
+halt(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
index 2e61e8da56e6f..d2b15f8389c58 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.halted.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md)
-
-## IHttpInterceptController.halted property
-
-Whether or not this chain has been halted.
-
-<b>Signature:</b>
-
-```typescript
-halted: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) &gt; [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md)
+
+## IHttpInterceptController.halted property
+
+Whether or not this chain has been halted.
+
+<b>Signature:</b>
+
+```typescript
+halted: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
index b07d9fceb91f0..657614cd3e6e0 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpinterceptcontroller.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)
-
-## IHttpInterceptController interface
-
-Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpInterceptController 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md) | <code>boolean</code> | Whether or not this chain has been halted. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [halt()](./kibana-plugin-public.ihttpinterceptcontroller.halt.md) | Halt the request Promise chain and do not process further interceptors or response handlers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)
+
+## IHttpInterceptController interface
+
+Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpInterceptController 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [halted](./kibana-plugin-public.ihttpinterceptcontroller.halted.md) | <code>boolean</code> | Whether or not this chain has been halted. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [halt()](./kibana-plugin-public.ihttpinterceptcontroller.halt.md) | Halt the request Promise chain and do not process further interceptors or response handlers. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
index 36fcfb390617c..718083fa4cf77 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md)
-
-## IHttpResponseInterceptorOverrides.body property
-
-Parsed body received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly body?: TResponseBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md)
+
+## IHttpResponseInterceptorOverrides.body property
+
+Parsed body received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly body?: TResponseBody;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
index 44f067c429e98..dbb871f354cef 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md)
-
-## IHttpResponseInterceptorOverrides interface
-
-Properties that can be returned by HttpInterceptor.request to override the response.
-
-<b>Signature:</b>
-
-```typescript
-export interface IHttpResponseInterceptorOverrides<TResponseBody = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
-|  [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md)
+
+## IHttpResponseInterceptorOverrides interface
+
+Properties that can be returned by HttpInterceptor.request to override the response.
+
+<b>Signature:</b>
+
+```typescript
+export interface IHttpResponseInterceptorOverrides<TResponseBody = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-public.ihttpresponseinterceptoroverrides.body.md) | <code>TResponseBody</code> | Parsed body received, may be undefined if there was an error. |
+|  [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md) | <code>Readonly&lt;Response&gt;</code> | Raw response received, may be undefined if there was an error. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
index bcba996645ba6..73ce3ba9a366d 100644
--- a/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
+++ b/docs/development/core/public/kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md)
-
-## IHttpResponseInterceptorOverrides.response property
-
-Raw response received, may be undefined if there was an error.
-
-<b>Signature:</b>
-
-```typescript
-readonly response?: Readonly<Response>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) &gt; [response](./kibana-plugin-public.ihttpresponseinterceptoroverrides.response.md)
+
+## IHttpResponseInterceptorOverrides.response property
+
+Raw response received, may be undefined if there was an error.
+
+<b>Signature:</b>
+
+```typescript
+readonly response?: Readonly<Response>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md b/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
index 07c4588ff2c8e..18e99c2a34e7e 100644
--- a/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
+++ b/docs/development/core/public/kibana-plugin-public.imagevalidation.maxsize.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md) &gt; [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md)
-
-## ImageValidation.maxSize property
-
-<b>Signature:</b>
-
-```typescript
-maxSize: {
-        length: number;
-        description: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md) &gt; [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md)
+
+## ImageValidation.maxSize property
+
+<b>Signature:</b>
+
+```typescript
+maxSize: {
+        length: number;
+        description: string;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.imagevalidation.md b/docs/development/core/public/kibana-plugin-public.imagevalidation.md
index 783f417d0fb4d..99c23e44d35f1 100644
--- a/docs/development/core/public/kibana-plugin-public.imagevalidation.md
+++ b/docs/development/core/public/kibana-plugin-public.imagevalidation.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md)
-
-## ImageValidation interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ImageValidation 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ImageValidation](./kibana-plugin-public.imagevalidation.md)
+
+## ImageValidation interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ImageValidation 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [maxSize](./kibana-plugin-public.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.itoasts.md b/docs/development/core/public/kibana-plugin-public.itoasts.md
index 2a6d454e2194a..999103e23ad5e 100644
--- a/docs/development/core/public/kibana-plugin-public.itoasts.md
+++ b/docs/development/core/public/kibana-plugin-public.itoasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IToasts](./kibana-plugin-public.itoasts.md)
-
-## IToasts type
-
-Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IToasts = Pick<ToastsApi, 'get$' | 'add' | 'remove' | 'addSuccess' | 'addWarning' | 'addDanger' | 'addError'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IToasts](./kibana-plugin-public.itoasts.md)
+
+## IToasts type
+
+Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IToasts = Pick<ToastsApi, 'get$' | 'add' | 'remove' | 'addSuccess' | 'addWarning' | 'addDanger' | 'addError'>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
index 8d14a10951a92..367129e55135c 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get](./kibana-plugin-public.iuisettingsclient.get.md)
-
-## IUiSettingsClient.get property
-
-Gets the value for a specific uiSetting. If this setting has no user-defined value then the `defaultOverride` parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin.
-
-<b>Signature:</b>
-
-```typescript
-get: <T = any>(key: string, defaultOverride?: T) => T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get](./kibana-plugin-public.iuisettingsclient.get.md)
+
+## IUiSettingsClient.get property
+
+Gets the value for a specific uiSetting. If this setting has no user-defined value then the `defaultOverride` parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin.
+
+<b>Signature:</b>
+
+```typescript
+get: <T = any>(key: string, defaultOverride?: T) => T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
index b7680b769f303..e68ee4698a642 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.get_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get$](./kibana-plugin-public.iuisettingsclient.get_.md)
-
-## IUiSettingsClient.get$ property
-
-Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a `defaultOverride` argument behaves the same as it does in \#get()
-
-<b>Signature:</b>
-
-```typescript
-get$: <T = any>(key: string, defaultOverride?: T) => Observable<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [get$](./kibana-plugin-public.iuisettingsclient.get_.md)
+
+## IUiSettingsClient.get$ property
+
+Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a `defaultOverride` argument behaves the same as it does in \#get()
+
+<b>Signature:</b>
+
+```typescript
+get$: <T = any>(key: string, defaultOverride?: T) => Observable<T>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
index b767a8ff603c8..61e2edc7f1675 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getall.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-public.iuisettingsclient.getall.md)
-
-## IUiSettingsClient.getAll property
-
-Gets the metadata about all uiSettings, including the type, default value, and user value for each key.
-
-<b>Signature:</b>
-
-```typescript
-getAll: () => Readonly<Record<string, UiSettingsParams & UserProvidedValues>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-public.iuisettingsclient.getall.md)
+
+## IUiSettingsClient.getAll property
+
+Gets the metadata about all uiSettings, including the type, default value, and user value for each key.
+
+<b>Signature:</b>
+
+```typescript
+getAll: () => Readonly<Record<string, UiSettingsParams & UserProvidedValues>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
index a4ddb9abcba97..c5cf081423870 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getsaved_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md)
-
-## IUiSettingsClient.getSaved$ property
-
-Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
-
-<b>Signature:</b>
-
-```typescript
-getSaved$: <T = any>() => Observable<{
-        key: string;
-        newValue: T;
-        oldValue: T;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md)
+
+## IUiSettingsClient.getSaved$ property
+
+Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
+
+<b>Signature:</b>
+
+```typescript
+getSaved$: <T = any>() => Observable<{
+        key: string;
+        newValue: T;
+        oldValue: T;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
index cec5bc096cf02..471dc3dfe0c31 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdate_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md)
-
-## IUiSettingsClient.getUpdate$ property
-
-Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
-
-<b>Signature:</b>
-
-```typescript
-getUpdate$: <T = any>() => Observable<{
-        key: string;
-        newValue: T;
-        oldValue: T;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md)
+
+## IUiSettingsClient.getUpdate$ property
+
+Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed.
+
+<b>Signature:</b>
+
+```typescript
+getUpdate$: <T = any>() => Observable<{
+        key: string;
+        newValue: T;
+        oldValue: T;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
index 2fbcaac03e2bb..743219d935bbf 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.getupdateerrors_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md)
-
-## IUiSettingsClient.getUpdateErrors$ property
-
-Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class.
-
-<b>Signature:</b>
-
-```typescript
-getUpdateErrors$: () => Observable<Error>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md)
+
+## IUiSettingsClient.getUpdateErrors$ property
+
+Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class.
+
+<b>Signature:</b>
+
+```typescript
+getUpdateErrors$: () => Observable<Error>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
index 30de59c066ee3..c26b9b42dd00c 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.iscustom.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md)
-
-## IUiSettingsClient.isCustom property
-
-Returns true if the setting wasn't registered by any plugin, but was either added directly via `set()`<!-- -->, or is an unknown setting found in the uiSettings saved object
-
-<b>Signature:</b>
-
-```typescript
-isCustom: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md)
+
+## IUiSettingsClient.isCustom property
+
+Returns true if the setting wasn't registered by any plugin, but was either added directly via `set()`<!-- -->, or is an unknown setting found in the uiSettings saved object
+
+<b>Signature:</b>
+
+```typescript
+isCustom: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
index 1ffcb61967e8a..e064d787e0c92 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdeclared.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md)
-
-## IUiSettingsClient.isDeclared property
-
-Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the `set()` method.
-
-<b>Signature:</b>
-
-```typescript
-isDeclared: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md)
+
+## IUiSettingsClient.isDeclared property
+
+Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the `set()` method.
+
+<b>Signature:</b>
+
+```typescript
+isDeclared: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
index d61367c9841d4..6fafaac0a01ff 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isdefault.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md)
-
-## IUiSettingsClient.isDefault property
-
-Returns true if the setting has no user-defined value or is unknown
-
-<b>Signature:</b>
-
-```typescript
-isDefault: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md)
+
+## IUiSettingsClient.isDefault property
+
+Returns true if the setting has no user-defined value or is unknown
+
+<b>Signature:</b>
+
+```typescript
+isDefault: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
index 5749e1db1fe43..28018eddafdde 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.isoverridden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md)
-
-## IUiSettingsClient.isOverridden property
-
-Shows whether the uiSettings value set by the user.
-
-<b>Signature:</b>
-
-```typescript
-isOverridden: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md)
+
+## IUiSettingsClient.isOverridden property
+
+Shows whether the uiSettings value set by the user.
+
+<b>Signature:</b>
+
+```typescript
+isOverridden: (key: string) => boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
index 4183a30806d9a..bc2fc02977f43 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-## IUiSettingsClient interface
-
-Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-export interface IUiSettingsClient 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-public.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; T</code> | Gets the value for a specific uiSetting. If this setting has no user-defined value then the <code>defaultOverride</code> parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin. |
-|  [get$](./kibana-plugin-public.iuisettingsclient.get_.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; Observable&lt;T&gt;</code> | Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a <code>defaultOverride</code> argument behaves the same as it does in \#get() |
-|  [getAll](./kibana-plugin-public.iuisettingsclient.getall.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams &amp; UserProvidedValues&gt;&gt;</code> | Gets the metadata about all uiSettings, including the type, default value, and user value for each key. |
-|  [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
-|  [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
-|  [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md) | <code>() =&gt; Observable&lt;Error&gt;</code> | Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class. |
-|  [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting wasn't registered by any plugin, but was either added directly via <code>set()</code>, or is an unknown setting found in the uiSettings saved object |
-|  [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the <code>set()</code> method. |
-|  [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting has no user-defined value or is unknown |
-|  [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
-|  [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md) | <code>(key: string, newDefault: any) =&gt; void</code> | Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost. |
-|  [remove](./kibana-plugin-public.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;boolean&gt;</code> | Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling <code>set(key, null)</code>, including the synchronization, custom setting, and error behavior of that method. |
-|  [set](./kibana-plugin-public.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;boolean&gt;</code> | Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the <code>get()</code> method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before <code>set()</code> was called. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+## IUiSettingsClient interface
+
+Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+export interface IUiSettingsClient 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-public.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; T</code> | Gets the value for a specific uiSetting. If this setting has no user-defined value then the <code>defaultOverride</code> parameter is returned (and parsed if setting is of type "json" or "number). If the parameter is not defined and the key is not registered by any plugin then an error is thrown, otherwise reads the default value defined by a plugin. |
+|  [get$](./kibana-plugin-public.iuisettingsclient.get_.md) | <code>&lt;T = any&gt;(key: string, defaultOverride?: T) =&gt; Observable&lt;T&gt;</code> | Gets an observable of the current value for a config key, and all updates to that config key in the future. Providing a <code>defaultOverride</code> argument behaves the same as it does in \#get() |
+|  [getAll](./kibana-plugin-public.iuisettingsclient.getall.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams &amp; UserProvidedValues&gt;&gt;</code> | Gets the metadata about all uiSettings, including the type, default value, and user value for each key. |
+|  [getSaved$](./kibana-plugin-public.iuisettingsclient.getsaved_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
+|  [getUpdate$](./kibana-plugin-public.iuisettingsclient.getupdate_.md) | <code>&lt;T = any&gt;() =&gt; Observable&lt;{</code><br/><code>        key: string;</code><br/><code>        newValue: T;</code><br/><code>        oldValue: T;</code><br/><code>    }&gt;</code> | Returns an Observable that notifies subscribers of each update to the uiSettings, including the key, newValue, and oldValue of the setting that changed. |
+|  [getUpdateErrors$](./kibana-plugin-public.iuisettingsclient.getupdateerrors_.md) | <code>() =&gt; Observable&lt;Error&gt;</code> | Returns an Observable that notifies subscribers of each error while trying to update the settings, containing the actual Error class. |
+|  [isCustom](./kibana-plugin-public.iuisettingsclient.iscustom.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting wasn't registered by any plugin, but was either added directly via <code>set()</code>, or is an unknown setting found in the uiSettings saved object |
+|  [isDeclared](./kibana-plugin-public.iuisettingsclient.isdeclared.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the key is a "known" uiSetting, meaning it is either registered by any plugin or was previously added as a custom setting via the <code>set()</code> method. |
+|  [isDefault](./kibana-plugin-public.iuisettingsclient.isdefault.md) | <code>(key: string) =&gt; boolean</code> | Returns true if the setting has no user-defined value or is unknown |
+|  [isOverridden](./kibana-plugin-public.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
+|  [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md) | <code>(key: string, newDefault: any) =&gt; void</code> | Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost. |
+|  [remove](./kibana-plugin-public.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;boolean&gt;</code> | Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling <code>set(key, null)</code>, including the synchronization, custom setting, and error behavior of that method. |
+|  [set](./kibana-plugin-public.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;boolean&gt;</code> | Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the <code>get()</code> method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before <code>set()</code> was called. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
index d7e7c01876654..f56b5687da5a4 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.overridelocaldefault.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md)
-
-## IUiSettingsClient.overrideLocalDefault property
-
-Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost.
-
-<b>Signature:</b>
-
-```typescript
-overrideLocalDefault: (key: string, newDefault: any) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [overrideLocalDefault](./kibana-plugin-public.iuisettingsclient.overridelocaldefault.md)
+
+## IUiSettingsClient.overrideLocalDefault property
+
+Overrides the default value for a setting in this specific browser tab. If the page is reloaded the default override is lost.
+
+<b>Signature:</b>
+
+```typescript
+overrideLocalDefault: (key: string, newDefault: any) => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
index c2171e5c883f8..d086eb3dfc1a2 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [remove](./kibana-plugin-public.iuisettingsclient.remove.md)
-
-## IUiSettingsClient.remove property
-
-Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling `set(key, null)`<!-- -->, including the synchronization, custom setting, and error behavior of that method.
-
-<b>Signature:</b>
-
-```typescript
-remove: (key: string) => Promise<boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [remove](./kibana-plugin-public.iuisettingsclient.remove.md)
+
+## IUiSettingsClient.remove property
+
+Removes the user-defined value for a setting, causing it to revert to the default. This method behaves the same as calling `set(key, null)`<!-- -->, including the synchronization, custom setting, and error behavior of that method.
+
+<b>Signature:</b>
+
+```typescript
+remove: (key: string) => Promise<boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
index d9e62eec4cf08..0c452d13beefd 100644
--- a/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
+++ b/docs/development/core/public/kibana-plugin-public.iuisettingsclient.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [set](./kibana-plugin-public.iuisettingsclient.set.md)
-
-## IUiSettingsClient.set property
-
-Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the `get()` method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before `set()` was called.
-
-<b>Signature:</b>
-
-```typescript
-set: (key: string, value: any) => Promise<boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) &gt; [set](./kibana-plugin-public.iuisettingsclient.set.md)
+
+## IUiSettingsClient.set property
+
+Sets the value for a uiSetting. If the setting is not registered by any plugin it will be stored as a custom setting. The new value will be synchronously available via the `get()` method and sent to the server in the background. If the request to the server fails then a updateErrors$ will be notified and the setting will be reverted to its value before `set()` was called.
+
+<b>Signature:</b>
+
+```typescript
+set: (key: string, value: any) => Promise<boolean>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
index f71277e64ff17..7f3430e6de95e 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycoresetup.injectedmetadata.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md)
-
-## LegacyCoreSetup.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: InjectedMetadataSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md)
+
+## LegacyCoreSetup.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: InjectedMetadataSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycoresetup.md b/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
index 803c96cd0b22c..6a06343cec70e 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycoresetup.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md)
-
-## LegacyCoreSetup interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Setup interface exposed to the legacy platform via the `ui/new_platform` module.
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyCoreSetup extends CoreSetup<any> 
-```
-
-## Remarks
-
-Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreSetup](./kibana-plugin-public.coresetup.md)<!-- -->, unsupported methods will throw exceptions when called.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md) | <code>InjectedMetadataSetup</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md)
+
+## LegacyCoreSetup interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Setup interface exposed to the legacy platform via the `ui/new_platform` module.
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyCoreSetup extends CoreSetup<any> 
+```
+
+## Remarks
+
+Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreSetup](./kibana-plugin-public.coresetup.md)<!-- -->, unsupported methods will throw exceptions when called.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [injectedMetadata](./kibana-plugin-public.legacycoresetup.injectedmetadata.md) | <code>InjectedMetadataSetup</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md b/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
index cd818c3f5adc7..273b28a111bd4 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycorestart.injectedmetadata.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md)
-
-## LegacyCoreStart.injectedMetadata property
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-injectedMetadata: InjectedMetadataStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) &gt; [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md)
+
+## LegacyCoreStart.injectedMetadata property
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+injectedMetadata: InjectedMetadataStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacycorestart.md b/docs/development/core/public/kibana-plugin-public.legacycorestart.md
index 438a3d6110776..17bf021f06444 100644
--- a/docs/development/core/public/kibana-plugin-public.legacycorestart.md
+++ b/docs/development/core/public/kibana-plugin-public.legacycorestart.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md)
-
-## LegacyCoreStart interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-Start interface exposed to the legacy platform via the `ui/new_platform` module.
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyCoreStart extends CoreStart 
-```
-
-## Remarks
-
-Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->, unsupported methods will throw exceptions when called.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md) | <code>InjectedMetadataStart</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md)
+
+## LegacyCoreStart interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+Start interface exposed to the legacy platform via the `ui/new_platform` module.
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyCoreStart extends CoreStart 
+```
+
+## Remarks
+
+Some methods are not supported in the legacy platform and while present to make this type compatibile with [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->, unsupported methods will throw exceptions when called.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [injectedMetadata](./kibana-plugin-public.legacycorestart.injectedmetadata.md) | <code>InjectedMetadataStart</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
index 7026e9b519cc0..ff952b4509079 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.category.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [category](./kibana-plugin-public.legacynavlink.category.md)
-
-## LegacyNavLink.category property
-
-<b>Signature:</b>
-
-```typescript
-category?: AppCategory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [category](./kibana-plugin-public.legacynavlink.category.md)
+
+## LegacyNavLink.category property
+
+<b>Signature:</b>
+
+```typescript
+category?: AppCategory;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
index bf0308e88d506..5cb803d1d2f91 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.euiicontype.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md)
-
-## LegacyNavLink.euiIconType property
-
-<b>Signature:</b>
-
-```typescript
-euiIconType?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md)
+
+## LegacyNavLink.euiIconType property
+
+<b>Signature:</b>
+
+```typescript
+euiIconType?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
index 5dfe64c3a9610..1bc64b6086628 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.icon.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [icon](./kibana-plugin-public.legacynavlink.icon.md)
-
-## LegacyNavLink.icon property
-
-<b>Signature:</b>
-
-```typescript
-icon?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [icon](./kibana-plugin-public.legacynavlink.icon.md)
+
+## LegacyNavLink.icon property
+
+<b>Signature:</b>
+
+```typescript
+icon?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
index c8d8b025e48ee..c6c2f2dfd8d98 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [id](./kibana-plugin-public.legacynavlink.id.md)
-
-## LegacyNavLink.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [id](./kibana-plugin-public.legacynavlink.id.md)
+
+## LegacyNavLink.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.md
index e112110dd10f8..1476052ed7a43 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md)
-
-## LegacyNavLink interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyNavLink 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-public.legacynavlink.category.md) | <code>AppCategory</code> |  |
-|  [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md) | <code>string</code> |  |
-|  [icon](./kibana-plugin-public.legacynavlink.icon.md) | <code>string</code> |  |
-|  [id](./kibana-plugin-public.legacynavlink.id.md) | <code>string</code> |  |
-|  [order](./kibana-plugin-public.legacynavlink.order.md) | <code>number</code> |  |
-|  [title](./kibana-plugin-public.legacynavlink.title.md) | <code>string</code> |  |
-|  [url](./kibana-plugin-public.legacynavlink.url.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md)
+
+## LegacyNavLink interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyNavLink 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-public.legacynavlink.category.md) | <code>AppCategory</code> |  |
+|  [euiIconType](./kibana-plugin-public.legacynavlink.euiicontype.md) | <code>string</code> |  |
+|  [icon](./kibana-plugin-public.legacynavlink.icon.md) | <code>string</code> |  |
+|  [id](./kibana-plugin-public.legacynavlink.id.md) | <code>string</code> |  |
+|  [order](./kibana-plugin-public.legacynavlink.order.md) | <code>number</code> |  |
+|  [title](./kibana-plugin-public.legacynavlink.title.md) | <code>string</code> |  |
+|  [url](./kibana-plugin-public.legacynavlink.url.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
index bfb2a2caad623..255fcfd0fb8cf 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.order.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [order](./kibana-plugin-public.legacynavlink.order.md)
-
-## LegacyNavLink.order property
-
-<b>Signature:</b>
-
-```typescript
-order: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [order](./kibana-plugin-public.legacynavlink.order.md)
+
+## LegacyNavLink.order property
+
+<b>Signature:</b>
+
+```typescript
+order: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
index 2cb7a4ebdbc76..90b1a98a90fef 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [title](./kibana-plugin-public.legacynavlink.title.md)
-
-## LegacyNavLink.title property
-
-<b>Signature:</b>
-
-```typescript
-title: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [title](./kibana-plugin-public.legacynavlink.title.md)
+
+## LegacyNavLink.title property
+
+<b>Signature:</b>
+
+```typescript
+title: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md b/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
index fc2d55109dc98..e26095bfbfb6e 100644
--- a/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
+++ b/docs/development/core/public/kibana-plugin-public.legacynavlink.url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [url](./kibana-plugin-public.legacynavlink.url.md)
-
-## LegacyNavLink.url property
-
-<b>Signature:</b>
-
-```typescript
-url: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) &gt; [url](./kibana-plugin-public.legacynavlink.url.md)
+
+## LegacyNavLink.url property
+
+<b>Signature:</b>
+
+```typescript
+url: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.md b/docs/development/core/public/kibana-plugin-public.md
index de6726b34dfab..95a4327728139 100644
--- a/docs/development/core/public/kibana-plugin-public.md
+++ b/docs/development/core/public/kibana-plugin-public.md
@@ -1,161 +1,161 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md)
-
-## kibana-plugin-public package
-
-The Kibana Core APIs for client-side plugins.
-
-A plugin's `public/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-public.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-public.plugin.md)<!-- -->.
-
-The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-public.coresetup.md) or [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
-
-## Classes
-
-|  Class | Description |
-|  --- | --- |
-|  [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects. |
-|  [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) | This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.<!-- -->It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations. |
-|  [ToastsApi](./kibana-plugin-public.toastsapi.md) | Methods for adding and removing global toast messages. |
-
-## Enumerations
-
-|  Enumeration | Description |
-|  --- | --- |
-|  [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md) | Possible type of actions on application leave. |
-|  [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) | Status of the application's navLink. |
-|  [AppStatus](./kibana-plugin-public.appstatus.md) | Accessibility status of an application. |
-
-## Interfaces
-
-|  Interface | Description |
-|  --- | --- |
-|  [App](./kibana-plugin-public.app.md) | Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function. |
-|  [AppBase](./kibana-plugin-public.appbase.md) |  |
-|  [AppCategory](./kibana-plugin-public.appcategory.md) | A category definition for nav links to know where to sort them in the left hand nav |
-|  [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.<!-- -->See  |
-|  [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.<!-- -->See  |
-|  [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |  |
-|  [ApplicationStart](./kibana-plugin-public.applicationstart.md) |  |
-|  [AppMountContext](./kibana-plugin-public.appmountcontext.md) | The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
-|  [AppMountParameters](./kibana-plugin-public.appmountparameters.md) |  |
-|  [Capabilities](./kibana-plugin-public.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
-|  [ChromeBadge](./kibana-plugin-public.chromebadge.md) |  |
-|  [ChromeBrand](./kibana-plugin-public.chromebrand.md) |  |
-|  [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) | APIs for accessing and updating the document title. |
-|  [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) |  |
-|  [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) |  |
-|  [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
-|  [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) |  |
-|  [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
-|  [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
-|  [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) |  |
-|  [ChromeStart](./kibana-plugin-public.chromestart.md) | ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser. |
-|  [ContextSetup](./kibana-plugin-public.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [CoreSetup](./kibana-plugin-public.coresetup.md) | Core services exposed to the <code>Plugin</code> setup lifecycle |
-|  [CoreStart](./kibana-plugin-public.corestart.md) | Core services exposed to the <code>Plugin</code> start lifecycle |
-|  [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |  |
-|  [EnvironmentMode](./kibana-plugin-public.environmentmode.md) |  |
-|  [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) | Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
-|  [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) | Represents the <code>message</code> and <code>stack</code> of a fatal Error |
-|  [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
-|  [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) | All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->. |
-|  [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) | Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included. |
-|  [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md) |  |
-|  [HttpHandler](./kibana-plugin-public.httphandler.md) | A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response. |
-|  [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) | Headers to append to the request. Any headers that begin with <code>kbn-</code> are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error. |
-|  [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) | An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->. |
-|  [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) |  |
-|  [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) |  |
-|  [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) | Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s. |
-|  [HttpResponse](./kibana-plugin-public.httpresponse.md) |  |
-|  [HttpSetup](./kibana-plugin-public.httpsetup.md) |  |
-|  [I18nStart](./kibana-plugin-public.i18nstart.md) | I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree. |
-|  [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) | APIs for denoting paths as not requiring authentication |
-|  [IBasePath](./kibana-plugin-public.ibasepath.md) | APIs for manipulating the basePath on URL segments. |
-|  [IContextContainer](./kibana-plugin-public.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) |  |
-|  [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) | Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->. |
-|  [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) | Properties that can be returned by HttpInterceptor.request to override the response. |
-|  [ImageValidation](./kibana-plugin-public.imagevalidation.md) |  |
-|  [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) | Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
-|  [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) | Setup interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
-|  [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) | Start interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
-|  [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) |  |
-|  [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |  |
-|  [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |  |
-|  [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |  |
-|  [OverlayRef](./kibana-plugin-public.overlayref.md) | Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay. |
-|  [OverlayStart](./kibana-plugin-public.overlaystart.md) |  |
-|  [PackageInfo](./kibana-plugin-public.packageinfo.md) |  |
-|  [Plugin](./kibana-plugin-public.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
-|  [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) | The available core services passed to a <code>PluginInitializer</code> |
-|  [SavedObject](./kibana-plugin-public.savedobject.md) |  |
-|  [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) | A reference to another saved object. |
-|  [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) |  |
-|  [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) |  |
-|  [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) |  |
-|  [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) |  |
-|  [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) |  |
-|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) |  |
-|  [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) |  |
-|  [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) |  |
-|  [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
-|  [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
-|  [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) | Represents a failure to import. |
-|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
-|  [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) | The response describing the result of an import. |
-|  [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
-|  [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
-|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
-|  [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |  |
-|  [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) |  |
-|  [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) | StringValidation with regex object |
-|  [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) | StringValidation as regex string |
-|  [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
-|  [UiSettingsState](./kibana-plugin-public.uisettingsstate.md) |  |
-|  [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) | Describes the values explicitly set by user. |
-
-## Type Aliases
-
-|  Type Alias | Description |
-|  --- | --- |
-|  [AppLeaveAction](./kibana-plugin-public.appleaveaction.md) | Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)<!-- -->See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) |
-|  [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) | A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return <code>confirm</code> to to prompt a message to the user before leaving the page, or <code>default</code> to keep the default behavior (doing nothing).<!-- -->See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples. |
-|  [AppMount](./kibana-plugin-public.appmount.md) | A mount function called when the user navigates to this app's route. |
-|  [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md) | A mount function called when the user navigates to this app's route. |
-|  [AppUnmount](./kibana-plugin-public.appunmount.md) | A function called when an application should be unmounted from the page. This function should be synchronous. |
-|  [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) | Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->. |
-|  [AppUpdater](./kibana-plugin-public.appupdater.md) | Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
-|  [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md) |  |
-|  [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md) |  |
-|  [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md) |  |
-|  [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md) |  |
-|  [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md) |  |
-|  [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md) |  |
-|  [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md) |  |
-|  [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
-|  [HandlerContextType](./kibana-plugin-public.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context. |
-|  [HandlerFunction](./kibana-plugin-public.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md) |
-|  [HandlerParameters](./kibana-plugin-public.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->. |
-|  [HttpStart](./kibana-plugin-public.httpstart.md) | See [HttpSetup](./kibana-plugin-public.httpsetup.md) |
-|  [IContextProvider](./kibana-plugin-public.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
-|  [IToasts](./kibana-plugin-public.itoasts.md) | Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->. |
-|  [MountPoint](./kibana-plugin-public.mountpoint.md) | A function that should mount DOM content inside the provided container element and return a handler to unmount it. |
-|  [PluginInitializer](./kibana-plugin-public.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>public</code> directory should conform to this interface. |
-|  [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md) |  |
-|  [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md) |  |
-|  [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
-|  [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) |
-|  [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md) | SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
-|  [StringValidation](./kibana-plugin-public.stringvalidation.md) | Allows regex objects or a regex string |
-|  [Toast](./kibana-plugin-public.toast.md) |  |
-|  [ToastInput](./kibana-plugin-public.toastinput.md) | Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
-|  [ToastInputFields](./kibana-plugin-public.toastinputfields.md) | Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->. |
-|  [ToastsSetup](./kibana-plugin-public.toastssetup.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
-|  [ToastsStart](./kibana-plugin-public.toastsstart.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
-|  [UiSettingsType](./kibana-plugin-public.uisettingstype.md) | UI element type to represent the settings. |
-|  [UnmountCallback](./kibana-plugin-public.unmountcallback.md) | A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md)
+
+## kibana-plugin-public package
+
+The Kibana Core APIs for client-side plugins.
+
+A plugin's `public/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-public.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-public.plugin.md)<!-- -->.
+
+The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-public.coresetup.md) or [CoreStart](./kibana-plugin-public.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
+
+## Classes
+
+|  Class | Description |
+|  --- | --- |
+|  [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects. |
+|  [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) | This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.<!-- -->It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations. |
+|  [ToastsApi](./kibana-plugin-public.toastsapi.md) | Methods for adding and removing global toast messages. |
+
+## Enumerations
+
+|  Enumeration | Description |
+|  --- | --- |
+|  [AppLeaveActionType](./kibana-plugin-public.appleaveactiontype.md) | Possible type of actions on application leave. |
+|  [AppNavLinkStatus](./kibana-plugin-public.appnavlinkstatus.md) | Status of the application's navLink. |
+|  [AppStatus](./kibana-plugin-public.appstatus.md) | Accessibility status of an application. |
+
+## Interfaces
+
+|  Interface | Description |
+|  --- | --- |
+|  [App](./kibana-plugin-public.app.md) | Extension of [common app properties](./kibana-plugin-public.appbase.md) with the mount function. |
+|  [AppBase](./kibana-plugin-public.appbase.md) |  |
+|  [AppCategory](./kibana-plugin-public.appcategory.md) | A category definition for nav links to know where to sort them in the left hand nav |
+|  [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to show a confirmation message when trying to leave an application.<!-- -->See  |
+|  [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) | Action to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) to execute the default behaviour when leaving the application.<!-- -->See  |
+|  [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |  |
+|  [ApplicationStart](./kibana-plugin-public.applicationstart.md) |  |
+|  [AppMountContext](./kibana-plugin-public.appmountcontext.md) | The context object received when applications are mounted to the DOM. Deprecated, use [CoreSetup.getStartServices()](./kibana-plugin-public.coresetup.getstartservices.md)<!-- -->. |
+|  [AppMountParameters](./kibana-plugin-public.appmountparameters.md) |  |
+|  [Capabilities](./kibana-plugin-public.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
+|  [ChromeBadge](./kibana-plugin-public.chromebadge.md) |  |
+|  [ChromeBrand](./kibana-plugin-public.chromebrand.md) |  |
+|  [ChromeDocTitle](./kibana-plugin-public.chromedoctitle.md) | APIs for accessing and updating the document title. |
+|  [ChromeHelpExtension](./kibana-plugin-public.chromehelpextension.md) |  |
+|  [ChromeNavControl](./kibana-plugin-public.chromenavcontrol.md) |  |
+|  [ChromeNavControls](./kibana-plugin-public.chromenavcontrols.md) | [APIs](./kibana-plugin-public.chromenavcontrols.md) for registering new controls to be displayed in the navigation bar. |
+|  [ChromeNavLink](./kibana-plugin-public.chromenavlink.md) |  |
+|  [ChromeNavLinks](./kibana-plugin-public.chromenavlinks.md) | [APIs](./kibana-plugin-public.chromenavlinks.md) for manipulating nav links. |
+|  [ChromeRecentlyAccessed](./kibana-plugin-public.chromerecentlyaccessed.md) | [APIs](./kibana-plugin-public.chromerecentlyaccessed.md) for recently accessed history. |
+|  [ChromeRecentlyAccessedHistoryItem](./kibana-plugin-public.chromerecentlyaccessedhistoryitem.md) |  |
+|  [ChromeStart](./kibana-plugin-public.chromestart.md) | ChromeStart allows plugins to customize the global chrome header UI and enrich the UX with additional information about the current location of the browser. |
+|  [ContextSetup](./kibana-plugin-public.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [CoreSetup](./kibana-plugin-public.coresetup.md) | Core services exposed to the <code>Plugin</code> setup lifecycle |
+|  [CoreStart](./kibana-plugin-public.corestart.md) | Core services exposed to the <code>Plugin</code> start lifecycle |
+|  [DocLinksStart](./kibana-plugin-public.doclinksstart.md) |  |
+|  [EnvironmentMode](./kibana-plugin-public.environmentmode.md) |  |
+|  [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) | Options available for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
+|  [FatalErrorInfo](./kibana-plugin-public.fatalerrorinfo.md) | Represents the <code>message</code> and <code>stack</code> of a fatal Error |
+|  [FatalErrorsSetup](./kibana-plugin-public.fatalerrorssetup.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
+|  [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) | All options that may be used with a [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->. |
+|  [HttpFetchOptionsWithPath](./kibana-plugin-public.httpfetchoptionswithpath.md) | Similar to [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) but with the URL path included. |
+|  [HttpFetchQuery](./kibana-plugin-public.httpfetchquery.md) |  |
+|  [HttpHandler](./kibana-plugin-public.httphandler.md) | A function for making an HTTP requests to Kibana's backend. See [HttpFetchOptions](./kibana-plugin-public.httpfetchoptions.md) for options and [HttpResponse](./kibana-plugin-public.httpresponse.md) for the response. |
+|  [HttpHeadersInit](./kibana-plugin-public.httpheadersinit.md) | Headers to append to the request. Any headers that begin with <code>kbn-</code> are considered private to Core and will cause [HttpHandler](./kibana-plugin-public.httphandler.md) to throw an error. |
+|  [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md) | An object that may define global interceptor functions for different parts of the request and response lifecycle. See [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md)<!-- -->. |
+|  [HttpInterceptorRequestError](./kibana-plugin-public.httpinterceptorrequesterror.md) |  |
+|  [HttpInterceptorResponseError](./kibana-plugin-public.httpinterceptorresponseerror.md) |  |
+|  [HttpRequestInit](./kibana-plugin-public.httprequestinit.md) | Fetch API options available to [HttpHandler](./kibana-plugin-public.httphandler.md)<!-- -->s. |
+|  [HttpResponse](./kibana-plugin-public.httpresponse.md) |  |
+|  [HttpSetup](./kibana-plugin-public.httpsetup.md) |  |
+|  [I18nStart](./kibana-plugin-public.i18nstart.md) | I18nStart.Context is required by any localizable React component from @<!-- -->kbn/i18n and @<!-- -->elastic/eui packages and is supposed to be used as the topmost component for any i18n-compatible React tree. |
+|  [IAnonymousPaths](./kibana-plugin-public.ianonymouspaths.md) | APIs for denoting paths as not requiring authentication |
+|  [IBasePath](./kibana-plugin-public.ibasepath.md) | APIs for manipulating the basePath on URL segments. |
+|  [IContextContainer](./kibana-plugin-public.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [IHttpFetchError](./kibana-plugin-public.ihttpfetcherror.md) |  |
+|  [IHttpInterceptController](./kibana-plugin-public.ihttpinterceptcontroller.md) | Used to halt a request Promise chain in a [HttpInterceptor](./kibana-plugin-public.httpinterceptor.md)<!-- -->. |
+|  [IHttpResponseInterceptorOverrides](./kibana-plugin-public.ihttpresponseinterceptoroverrides.md) | Properties that can be returned by HttpInterceptor.request to override the response. |
+|  [ImageValidation](./kibana-plugin-public.imagevalidation.md) |  |
+|  [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) | Client-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. [IUiSettingsClient](./kibana-plugin-public.iuisettingsclient.md) |
+|  [LegacyCoreSetup](./kibana-plugin-public.legacycoresetup.md) | Setup interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
+|  [LegacyCoreStart](./kibana-plugin-public.legacycorestart.md) | Start interface exposed to the legacy platform via the <code>ui/new_platform</code> module. |
+|  [LegacyNavLink](./kibana-plugin-public.legacynavlink.md) |  |
+|  [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) |  |
+|  [NotificationsStart](./kibana-plugin-public.notificationsstart.md) |  |
+|  [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |  |
+|  [OverlayRef](./kibana-plugin-public.overlayref.md) | Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay. |
+|  [OverlayStart](./kibana-plugin-public.overlaystart.md) |  |
+|  [PackageInfo](./kibana-plugin-public.packageinfo.md) |  |
+|  [Plugin](./kibana-plugin-public.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
+|  [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) | The available core services passed to a <code>PluginInitializer</code> |
+|  [SavedObject](./kibana-plugin-public.savedobject.md) |  |
+|  [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) | A reference to another saved object. |
+|  [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) |  |
+|  [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) |  |
+|  [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) |  |
+|  [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) |  |
+|  [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) |  |
+|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) |  |
+|  [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) |  |
+|  [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) |  |
+|  [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
+|  [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
+|  [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) | Represents a failure to import. |
+|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
+|  [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) | The response describing the result of an import. |
+|  [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
+|  [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
+|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
+|  [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) |  |
+|  [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) |  |
+|  [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) | StringValidation with regex object |
+|  [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) | StringValidation as regex string |
+|  [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
+|  [UiSettingsState](./kibana-plugin-public.uisettingsstate.md) |  |
+|  [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) | Describes the values explicitly set by user. |
+
+## Type Aliases
+
+|  Type Alias | Description |
+|  --- | --- |
+|  [AppLeaveAction](./kibana-plugin-public.appleaveaction.md) | Possible actions to return from a [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md)<!-- -->See [AppLeaveConfirmAction](./kibana-plugin-public.appleaveconfirmaction.md) and [AppLeaveDefaultAction](./kibana-plugin-public.appleavedefaultaction.md) |
+|  [AppLeaveHandler](./kibana-plugin-public.appleavehandler.md) | A handler that will be executed before leaving the application, either when going to another application or when closing the browser tab or manually changing the url. Should return <code>confirm</code> to to prompt a message to the user before leaving the page, or <code>default</code> to keep the default behavior (doing nothing).<!-- -->See [AppMountParameters](./kibana-plugin-public.appmountparameters.md) for detailed usage examples. |
+|  [AppMount](./kibana-plugin-public.appmount.md) | A mount function called when the user navigates to this app's route. |
+|  [AppMountDeprecated](./kibana-plugin-public.appmountdeprecated.md) | A mount function called when the user navigates to this app's route. |
+|  [AppUnmount](./kibana-plugin-public.appunmount.md) | A function called when an application should be unmounted from the page. This function should be synchronous. |
+|  [AppUpdatableFields](./kibana-plugin-public.appupdatablefields.md) | Defines the list of fields that can be updated via an [AppUpdater](./kibana-plugin-public.appupdater.md)<!-- -->. |
+|  [AppUpdater](./kibana-plugin-public.appupdater.md) | Updater for applications. see [ApplicationSetup](./kibana-plugin-public.applicationsetup.md) |
+|  [ChromeBreadcrumb](./kibana-plugin-public.chromebreadcrumb.md) |  |
+|  [ChromeHelpExtensionMenuCustomLink](./kibana-plugin-public.chromehelpextensionmenucustomlink.md) |  |
+|  [ChromeHelpExtensionMenuDiscussLink](./kibana-plugin-public.chromehelpextensionmenudiscusslink.md) |  |
+|  [ChromeHelpExtensionMenuDocumentationLink](./kibana-plugin-public.chromehelpextensionmenudocumentationlink.md) |  |
+|  [ChromeHelpExtensionMenuGitHubLink](./kibana-plugin-public.chromehelpextensionmenugithublink.md) |  |
+|  [ChromeHelpExtensionMenuLink](./kibana-plugin-public.chromehelpextensionmenulink.md) |  |
+|  [ChromeNavLinkUpdateableFields](./kibana-plugin-public.chromenavlinkupdateablefields.md) |  |
+|  [FatalErrorsStart](./kibana-plugin-public.fatalerrorsstart.md) | FatalErrors stop the Kibana Public Core and displays a fatal error screen with details about the Kibana build and the error. |
+|  [HandlerContextType](./kibana-plugin-public.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md) to represent the type of the context. |
+|  [HandlerFunction](./kibana-plugin-public.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-public.icontextcontainer.md) |
+|  [HandlerParameters](./kibana-plugin-public.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-public.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-public.handlercontexttype.md)<!-- -->. |
+|  [HttpStart](./kibana-plugin-public.httpstart.md) | See [HttpSetup](./kibana-plugin-public.httpsetup.md) |
+|  [IContextProvider](./kibana-plugin-public.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
+|  [IToasts](./kibana-plugin-public.itoasts.md) | Methods for adding and removing global toast messages. See [ToastsApi](./kibana-plugin-public.toastsapi.md)<!-- -->. |
+|  [MountPoint](./kibana-plugin-public.mountpoint.md) | A function that should mount DOM content inside the provided container element and return a handler to unmount it. |
+|  [PluginInitializer](./kibana-plugin-public.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>public</code> directory should conform to this interface. |
+|  [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md) |  |
+|  [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md) |  |
+|  [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
+|  [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md) |
+|  [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md) | SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
+|  [StringValidation](./kibana-plugin-public.stringvalidation.md) | Allows regex objects or a regex string |
+|  [Toast](./kibana-plugin-public.toast.md) |  |
+|  [ToastInput](./kibana-plugin-public.toastinput.md) | Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs. |
+|  [ToastInputFields](./kibana-plugin-public.toastinputfields.md) | Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->. |
+|  [ToastsSetup](./kibana-plugin-public.toastssetup.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
+|  [ToastsStart](./kibana-plugin-public.toastsstart.md) | [IToasts](./kibana-plugin-public.itoasts.md) |
+|  [UiSettingsType](./kibana-plugin-public.uisettingstype.md) | UI element type to represent the settings. |
+|  [UnmountCallback](./kibana-plugin-public.unmountcallback.md) | A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.mountpoint.md b/docs/development/core/public/kibana-plugin-public.mountpoint.md
index 928d22f00ed00..4b4d1def18acc 100644
--- a/docs/development/core/public/kibana-plugin-public.mountpoint.md
+++ b/docs/development/core/public/kibana-plugin-public.mountpoint.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [MountPoint](./kibana-plugin-public.mountpoint.md)
-
-## MountPoint type
-
-A function that should mount DOM content inside the provided container element and return a handler to unmount it.
-
-<b>Signature:</b>
-
-```typescript
-export declare type MountPoint<T extends HTMLElement = HTMLElement> = (element: T) => UnmountCallback;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [MountPoint](./kibana-plugin-public.mountpoint.md)
+
+## MountPoint type
+
+A function that should mount DOM content inside the provided container element and return a handler to unmount it.
+
+<b>Signature:</b>
+
+```typescript
+export declare type MountPoint<T extends HTMLElement = HTMLElement> = (element: T) => UnmountCallback;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.notificationssetup.md b/docs/development/core/public/kibana-plugin-public.notificationssetup.md
index c03abf9d01dca..62251067b7a3d 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationssetup.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
-
-## NotificationsSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface NotificationsSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [toasts](./kibana-plugin-public.notificationssetup.toasts.md) | <code>ToastsSetup</code> | [ToastsSetup](./kibana-plugin-public.toastssetup.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md)
+
+## NotificationsSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface NotificationsSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [toasts](./kibana-plugin-public.notificationssetup.toasts.md) | <code>ToastsSetup</code> | [ToastsSetup](./kibana-plugin-public.toastssetup.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md b/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
index dd613a959061e..44262cd3c559c 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationssetup.toasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) &gt; [toasts](./kibana-plugin-public.notificationssetup.toasts.md)
-
-## NotificationsSetup.toasts property
-
-[ToastsSetup](./kibana-plugin-public.toastssetup.md)
-
-<b>Signature:</b>
-
-```typescript
-toasts: ToastsSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsSetup](./kibana-plugin-public.notificationssetup.md) &gt; [toasts](./kibana-plugin-public.notificationssetup.toasts.md)
+
+## NotificationsSetup.toasts property
+
+[ToastsSetup](./kibana-plugin-public.toastssetup.md)
+
+<b>Signature:</b>
+
+```typescript
+toasts: ToastsSetup;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.notificationsstart.md b/docs/development/core/public/kibana-plugin-public.notificationsstart.md
index 56a1ce2095742..88ebd6cf3d830 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationsstart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md)
-
-## NotificationsStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface NotificationsStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [toasts](./kibana-plugin-public.notificationsstart.toasts.md) | <code>ToastsStart</code> | [ToastsStart](./kibana-plugin-public.toastsstart.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md)
+
+## NotificationsStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface NotificationsStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [toasts](./kibana-plugin-public.notificationsstart.toasts.md) | <code>ToastsStart</code> | [ToastsStart](./kibana-plugin-public.toastsstart.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md b/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
index 9d2c685946fda..1e742495559d7 100644
--- a/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
+++ b/docs/development/core/public/kibana-plugin-public.notificationsstart.toasts.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md) &gt; [toasts](./kibana-plugin-public.notificationsstart.toasts.md)
-
-## NotificationsStart.toasts property
-
-[ToastsStart](./kibana-plugin-public.toastsstart.md)
-
-<b>Signature:</b>
-
-```typescript
-toasts: ToastsStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [NotificationsStart](./kibana-plugin-public.notificationsstart.md) &gt; [toasts](./kibana-plugin-public.notificationsstart.toasts.md)
+
+## NotificationsStart.toasts property
+
+[ToastsStart](./kibana-plugin-public.toastsstart.md)
+
+<b>Signature:</b>
+
+```typescript
+toasts: ToastsStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
index 8ce59d5d9ca78..c0281090e20e1 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.add.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [add](./kibana-plugin-public.overlaybannersstart.add.md)
-
-## OverlayBannersStart.add() method
-
-Add a new banner
-
-<b>Signature:</b>
-
-```typescript
-add(mount: MountPoint, priority?: number): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  mount | <code>MountPoint</code> |  |
-|  priority | <code>number</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
-a unique identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [add](./kibana-plugin-public.overlaybannersstart.add.md)
+
+## OverlayBannersStart.add() method
+
+Add a new banner
+
+<b>Signature:</b>
+
+```typescript
+add(mount: MountPoint, priority?: number): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  mount | <code>MountPoint</code> |  |
+|  priority | <code>number</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
+a unique identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
index 0ecb9862dee3d..3a89c1a0171e4 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.getcomponent.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [getComponent](./kibana-plugin-public.overlaybannersstart.getcomponent.md)
-
-## OverlayBannersStart.getComponent() method
-
-<b>Signature:</b>
-
-```typescript
-getComponent(): JSX.Element;
-```
-<b>Returns:</b>
-
-`JSX.Element`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [getComponent](./kibana-plugin-public.overlaybannersstart.getcomponent.md)
+
+## OverlayBannersStart.getComponent() method
+
+<b>Signature:</b>
+
+```typescript
+getComponent(): JSX.Element;
+```
+<b>Returns:</b>
+
+`JSX.Element`
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
index 34e4ab8553792..0d5e221174a50 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
-
-## OverlayBannersStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayBannersStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [add(mount, priority)](./kibana-plugin-public.overlaybannersstart.add.md) | Add a new banner |
-|  [getComponent()](./kibana-plugin-public.overlaybannersstart.getcomponent.md) |  |
-|  [remove(id)](./kibana-plugin-public.overlaybannersstart.remove.md) | Remove a banner |
-|  [replace(id, mount, priority)](./kibana-plugin-public.overlaybannersstart.replace.md) | Replace a banner in place |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
+
+## OverlayBannersStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayBannersStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [add(mount, priority)](./kibana-plugin-public.overlaybannersstart.add.md) | Add a new banner |
+|  [getComponent()](./kibana-plugin-public.overlaybannersstart.getcomponent.md) |  |
+|  [remove(id)](./kibana-plugin-public.overlaybannersstart.remove.md) | Remove a banner |
+|  [replace(id, mount, priority)](./kibana-plugin-public.overlaybannersstart.replace.md) | Replace a banner in place |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
index 4fc5cfcd1c8d0..8406fbbc26c21 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.remove.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [remove](./kibana-plugin-public.overlaybannersstart.remove.md)
-
-## OverlayBannersStart.remove() method
-
-Remove a banner
-
-<b>Signature:</b>
-
-```typescript
-remove(id: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
-if the banner was found or not
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [remove](./kibana-plugin-public.overlaybannersstart.remove.md)
+
+## OverlayBannersStart.remove() method
+
+Remove a banner
+
+<b>Signature:</b>
+
+```typescript
+remove(id: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
+if the banner was found or not
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
index a8f6915ea9bb7..5a6cd79300b74 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaybannersstart.replace.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [replace](./kibana-plugin-public.overlaybannersstart.replace.md)
-
-## OverlayBannersStart.replace() method
-
-Replace a banner in place
-
-<b>Signature:</b>
-
-```typescript
-replace(id: string | undefined, mount: MountPoint, priority?: number): string;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  id | <code>string &#124; undefined</code> |  |
-|  mount | <code>MountPoint</code> |  |
-|  priority | <code>number</code> |  |
-
-<b>Returns:</b>
-
-`string`
-
-a new identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) &gt; [replace](./kibana-plugin-public.overlaybannersstart.replace.md)
+
+## OverlayBannersStart.replace() method
+
+Replace a banner in place
+
+<b>Signature:</b>
+
+```typescript
+replace(id: string | undefined, mount: MountPoint, priority?: number): string;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  id | <code>string &#124; undefined</code> |  |
+|  mount | <code>MountPoint</code> |  |
+|  priority | <code>number</code> |  |
+
+<b>Returns:</b>
+
+`string`
+
+a new identifier for the given banner to be used with [OverlayBannersStart.remove()](./kibana-plugin-public.overlaybannersstart.remove.md) and [OverlayBannersStart.replace()](./kibana-plugin-public.overlaybannersstart.replace.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.close.md b/docs/development/core/public/kibana-plugin-public.overlayref.close.md
index 32f17882af304..4dc0e8ab9a3c4 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.close.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.close.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [close](./kibana-plugin-public.overlayref.close.md)
-
-## OverlayRef.close() method
-
-Closes the referenced overlay if it's still open which in turn will resolve the `onClose` Promise. If the overlay had already been closed this method does nothing.
-
-<b>Signature:</b>
-
-```typescript
-close(): Promise<void>;
-```
-<b>Returns:</b>
-
-`Promise<void>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [close](./kibana-plugin-public.overlayref.close.md)
+
+## OverlayRef.close() method
+
+Closes the referenced overlay if it's still open which in turn will resolve the `onClose` Promise. If the overlay had already been closed this method does nothing.
+
+<b>Signature:</b>
+
+```typescript
+close(): Promise<void>;
+```
+<b>Returns:</b>
+
+`Promise<void>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.md b/docs/development/core/public/kibana-plugin-public.overlayref.md
index e71415280e4d2..a5ba8e61d3f9b 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md)
-
-## OverlayRef interface
-
-Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay.
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayRef 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [onClose](./kibana-plugin-public.overlayref.onclose.md) | <code>Promise&lt;void&gt;</code> | A Promise that will resolve once this overlay is closed.<!-- -->Overlays can close from user interaction, calling <code>close()</code> on the overlay reference or another overlay replacing yours via <code>openModal</code> or <code>openFlyout</code>. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [close()](./kibana-plugin-public.overlayref.close.md) | Closes the referenced overlay if it's still open which in turn will resolve the <code>onClose</code> Promise. If the overlay had already been closed this method does nothing. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md)
+
+## OverlayRef interface
+
+Returned by [OverlayStart](./kibana-plugin-public.overlaystart.md) methods for closing a mounted overlay.
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayRef 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [onClose](./kibana-plugin-public.overlayref.onclose.md) | <code>Promise&lt;void&gt;</code> | A Promise that will resolve once this overlay is closed.<!-- -->Overlays can close from user interaction, calling <code>close()</code> on the overlay reference or another overlay replacing yours via <code>openModal</code> or <code>openFlyout</code>. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [close()](./kibana-plugin-public.overlayref.close.md) | Closes the referenced overlay if it's still open which in turn will resolve the <code>onClose</code> Promise. If the overlay had already been closed this method does nothing. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md b/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
index 641b48b2b1ca1..64b4526b5c3ce 100644
--- a/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
+++ b/docs/development/core/public/kibana-plugin-public.overlayref.onclose.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [onClose](./kibana-plugin-public.overlayref.onclose.md)
-
-## OverlayRef.onClose property
-
-A Promise that will resolve once this overlay is closed.
-
-Overlays can close from user interaction, calling `close()` on the overlay reference or another overlay replacing yours via `openModal` or `openFlyout`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-onClose: Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayRef](./kibana-plugin-public.overlayref.md) &gt; [onClose](./kibana-plugin-public.overlayref.onclose.md)
+
+## OverlayRef.onClose property
+
+A Promise that will resolve once this overlay is closed.
+
+Overlays can close from user interaction, calling `close()` on the overlay reference or another overlay replacing yours via `openModal` or `openFlyout`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+onClose: Promise<void>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md b/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
index 60ecc4b873f0d..a9dc10dfcbc80 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.banners.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [banners](./kibana-plugin-public.overlaystart.banners.md)
-
-## OverlayStart.banners property
-
-[OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
-
-<b>Signature:</b>
-
-```typescript
-banners: OverlayBannersStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [banners](./kibana-plugin-public.overlaystart.banners.md)
+
+## OverlayStart.banners property
+
+[OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md)
+
+<b>Signature:</b>
+
+```typescript
+banners: OverlayBannersStart;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.md b/docs/development/core/public/kibana-plugin-public.overlaystart.md
index a83044763344b..1f9d9d020ecf0 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md)
-
-## OverlayStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface OverlayStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [banners](./kibana-plugin-public.overlaystart.banners.md) | <code>OverlayBannersStart</code> | [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |
-|  [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md) | <code>OverlayModalStart['openConfirm']</code> |  |
-|  [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md) | <code>OverlayFlyoutStart['open']</code> |  |
-|  [openModal](./kibana-plugin-public.overlaystart.openmodal.md) | <code>OverlayModalStart['open']</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md)
+
+## OverlayStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface OverlayStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [banners](./kibana-plugin-public.overlaystart.banners.md) | <code>OverlayBannersStart</code> | [OverlayBannersStart](./kibana-plugin-public.overlaybannersstart.md) |
+|  [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md) | <code>OverlayModalStart['openConfirm']</code> |  |
+|  [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md) | <code>OverlayFlyoutStart['open']</code> |  |
+|  [openModal](./kibana-plugin-public.overlaystart.openmodal.md) | <code>OverlayModalStart['open']</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
index 543a69e0b3318..8c53cb39b60ef 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openconfirm.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md)
-
-## OverlayStart.openConfirm property
-
-
-<b>Signature:</b>
-
-```typescript
-openConfirm: OverlayModalStart['openConfirm'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openConfirm](./kibana-plugin-public.overlaystart.openconfirm.md)
+
+## OverlayStart.openConfirm property
+
+
+<b>Signature:</b>
+
+```typescript
+openConfirm: OverlayModalStart['openConfirm'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
index ad3351fb4d098..1717d881a8806 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openflyout.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md)
-
-## OverlayStart.openFlyout property
-
-
-<b>Signature:</b>
-
-```typescript
-openFlyout: OverlayFlyoutStart['open'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openFlyout](./kibana-plugin-public.overlaystart.openflyout.md)
+
+## OverlayStart.openFlyout property
+
+
+<b>Signature:</b>
+
+```typescript
+openFlyout: OverlayFlyoutStart['open'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md b/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
index 2c983d6151f4c..2c5a30be5138e 100644
--- a/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
+++ b/docs/development/core/public/kibana-plugin-public.overlaystart.openmodal.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openModal](./kibana-plugin-public.overlaystart.openmodal.md)
-
-## OverlayStart.openModal property
-
-
-<b>Signature:</b>
-
-```typescript
-openModal: OverlayModalStart['open'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [OverlayStart](./kibana-plugin-public.overlaystart.md) &gt; [openModal](./kibana-plugin-public.overlaystart.openmodal.md)
+
+## OverlayStart.openModal property
+
+
+<b>Signature:</b>
+
+```typescript
+openModal: OverlayModalStart['open'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md b/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
index 774a290969938..008edb80af86e 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.branch.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [branch](./kibana-plugin-public.packageinfo.branch.md)
-
-## PackageInfo.branch property
-
-<b>Signature:</b>
-
-```typescript
-branch: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [branch](./kibana-plugin-public.packageinfo.branch.md)
+
+## PackageInfo.branch property
+
+<b>Signature:</b>
+
+```typescript
+branch: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md b/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
index 0c1003f8d8aff..8895955e4dee1 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.buildnum.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildNum](./kibana-plugin-public.packageinfo.buildnum.md)
-
-## PackageInfo.buildNum property
-
-<b>Signature:</b>
-
-```typescript
-buildNum: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildNum](./kibana-plugin-public.packageinfo.buildnum.md)
+
+## PackageInfo.buildNum property
+
+<b>Signature:</b>
+
+```typescript
+buildNum: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md b/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
index 98a7916c142e9..f12471f5ea7f5 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.buildsha.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildSha](./kibana-plugin-public.packageinfo.buildsha.md)
-
-## PackageInfo.buildSha property
-
-<b>Signature:</b>
-
-```typescript
-buildSha: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [buildSha](./kibana-plugin-public.packageinfo.buildsha.md)
+
+## PackageInfo.buildSha property
+
+<b>Signature:</b>
+
+```typescript
+buildSha: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md b/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
index c70299bbe6fcc..f13f2ac4c679e 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.dist.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [dist](./kibana-plugin-public.packageinfo.dist.md)
-
-## PackageInfo.dist property
-
-<b>Signature:</b>
-
-```typescript
-dist: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [dist](./kibana-plugin-public.packageinfo.dist.md)
+
+## PackageInfo.dist property
+
+<b>Signature:</b>
+
+```typescript
+dist: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.md b/docs/development/core/public/kibana-plugin-public.packageinfo.md
index 1dbd8cb85c56b..bd38e5e2c06e1 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md)
-
-## PackageInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PackageInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [branch](./kibana-plugin-public.packageinfo.branch.md) | <code>string</code> |  |
-|  [buildNum](./kibana-plugin-public.packageinfo.buildnum.md) | <code>number</code> |  |
-|  [buildSha](./kibana-plugin-public.packageinfo.buildsha.md) | <code>string</code> |  |
-|  [dist](./kibana-plugin-public.packageinfo.dist.md) | <code>boolean</code> |  |
-|  [version](./kibana-plugin-public.packageinfo.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md)
+
+## PackageInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PackageInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [branch](./kibana-plugin-public.packageinfo.branch.md) | <code>string</code> |  |
+|  [buildNum](./kibana-plugin-public.packageinfo.buildnum.md) | <code>number</code> |  |
+|  [buildSha](./kibana-plugin-public.packageinfo.buildsha.md) | <code>string</code> |  |
+|  [dist](./kibana-plugin-public.packageinfo.dist.md) | <code>boolean</code> |  |
+|  [version](./kibana-plugin-public.packageinfo.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.packageinfo.version.md b/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
index 26def753e424a..6b8267c79b6d6 100644
--- a/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
+++ b/docs/development/core/public/kibana-plugin-public.packageinfo.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [version](./kibana-plugin-public.packageinfo.version.md)
-
-## PackageInfo.version property
-
-<b>Signature:</b>
-
-```typescript
-version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PackageInfo](./kibana-plugin-public.packageinfo.md) &gt; [version](./kibana-plugin-public.packageinfo.version.md)
+
+## PackageInfo.version property
+
+<b>Signature:</b>
+
+```typescript
+version: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.md b/docs/development/core/public/kibana-plugin-public.plugin.md
index 979436e6dab37..a81f9cd60fbbe 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md)
-
-## Plugin interface
-
-The interface that should be returned by a `PluginInitializer`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [setup(core, plugins)](./kibana-plugin-public.plugin.setup.md) |  |
-|  [start(core, plugins)](./kibana-plugin-public.plugin.start.md) |  |
-|  [stop()](./kibana-plugin-public.plugin.stop.md) |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md)
+
+## Plugin interface
+
+The interface that should be returned by a `PluginInitializer`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [setup(core, plugins)](./kibana-plugin-public.plugin.setup.md) |  |
+|  [start(core, plugins)](./kibana-plugin-public.plugin.start.md) |  |
+|  [stop()](./kibana-plugin-public.plugin.stop.md) |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.setup.md b/docs/development/core/public/kibana-plugin-public.plugin.setup.md
index f058bc8d86fbc..98d7db19cc353 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.setup.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.setup.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [setup](./kibana-plugin-public.plugin.setup.md)
-
-## Plugin.setup() method
-
-<b>Signature:</b>
-
-```typescript
-setup(core: CoreSetup<TPluginsStart>, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreSetup&lt;TPluginsStart&gt;</code> |  |
-|  plugins | <code>TPluginsSetup</code> |  |
-
-<b>Returns:</b>
-
-`TSetup | Promise<TSetup>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [setup](./kibana-plugin-public.plugin.setup.md)
+
+## Plugin.setup() method
+
+<b>Signature:</b>
+
+```typescript
+setup(core: CoreSetup<TPluginsStart>, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreSetup&lt;TPluginsStart&gt;</code> |  |
+|  plugins | <code>TPluginsSetup</code> |  |
+
+<b>Returns:</b>
+
+`TSetup | Promise<TSetup>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.start.md b/docs/development/core/public/kibana-plugin-public.plugin.start.md
index b132706f4b7c0..149d925f670ef 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.start.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.start.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [start](./kibana-plugin-public.plugin.start.md)
-
-## Plugin.start() method
-
-<b>Signature:</b>
-
-```typescript
-start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreStart</code> |  |
-|  plugins | <code>TPluginsStart</code> |  |
-
-<b>Returns:</b>
-
-`TStart | Promise<TStart>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [start](./kibana-plugin-public.plugin.start.md)
+
+## Plugin.start() method
+
+<b>Signature:</b>
+
+```typescript
+start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreStart</code> |  |
+|  plugins | <code>TPluginsStart</code> |  |
+
+<b>Returns:</b>
+
+`TStart | Promise<TStart>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugin.stop.md b/docs/development/core/public/kibana-plugin-public.plugin.stop.md
index 2ccb9f5f3655b..e30bc4b5d8933 100644
--- a/docs/development/core/public/kibana-plugin-public.plugin.stop.md
+++ b/docs/development/core/public/kibana-plugin-public.plugin.stop.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [stop](./kibana-plugin-public.plugin.stop.md)
-
-## Plugin.stop() method
-
-<b>Signature:</b>
-
-```typescript
-stop?(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Plugin](./kibana-plugin-public.plugin.md) &gt; [stop](./kibana-plugin-public.plugin.stop.md)
+
+## Plugin.stop() method
+
+<b>Signature:</b>
+
+```typescript
+stop?(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializer.md b/docs/development/core/public/kibana-plugin-public.plugininitializer.md
index 0e1124afff369..ec2b145c09e5a 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializer.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializer](./kibana-plugin-public.plugininitializer.md)
-
-## PluginInitializer type
-
-The `plugin` export at the root of a plugin's `public` directory should conform to this interface.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializer](./kibana-plugin-public.plugininitializer.md)
+
+## PluginInitializer type
+
+The `plugin` export at the root of a plugin's `public` directory should conform to this interface.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
index 28141c9e13749..a628a2b43c407 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.config.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [config](./kibana-plugin-public.plugininitializercontext.config.md)
-
-## PluginInitializerContext.config property
-
-<b>Signature:</b>
-
-```typescript
-readonly config: {
-        get: <T extends object = ConfigSchema>() => T;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [config](./kibana-plugin-public.plugininitializercontext.config.md)
+
+## PluginInitializerContext.config property
+
+<b>Signature:</b>
+
+```typescript
+readonly config: {
+        get: <T extends object = ConfigSchema>() => T;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
index 92f36ab64a1d6..eff61de2dadb1 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.env.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [env](./kibana-plugin-public.plugininitializercontext.env.md)
-
-## PluginInitializerContext.env property
-
-<b>Signature:</b>
-
-```typescript
-readonly env: {
-        mode: Readonly<EnvironmentMode>;
-        packageInfo: Readonly<PackageInfo>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [env](./kibana-plugin-public.plugininitializercontext.env.md)
+
+## PluginInitializerContext.env property
+
+<b>Signature:</b>
+
+```typescript
+readonly env: {
+        mode: Readonly<EnvironmentMode>;
+        packageInfo: Readonly<PackageInfo>;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
index 64eaabb28646d..78c5a88f89c8e 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md)
-
-## PluginInitializerContext interface
-
-The available core services passed to a `PluginInitializer`
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginInitializerContext<ConfigSchema extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [config](./kibana-plugin-public.plugininitializercontext.config.md) | <code>{</code><br/><code>        get: &lt;T extends object = ConfigSchema&gt;() =&gt; T;</code><br/><code>    }</code> |  |
-|  [env](./kibana-plugin-public.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: Readonly&lt;EnvironmentMode&gt;;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
-|  [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> | A symbol used to identify this plugin in the system. Needed when registering handlers or context providers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md)
+
+## PluginInitializerContext interface
+
+The available core services passed to a `PluginInitializer`
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginInitializerContext<ConfigSchema extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [config](./kibana-plugin-public.plugininitializercontext.config.md) | <code>{</code><br/><code>        get: &lt;T extends object = ConfigSchema&gt;() =&gt; T;</code><br/><code>    }</code> |  |
+|  [env](./kibana-plugin-public.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: Readonly&lt;EnvironmentMode&gt;;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
+|  [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> | A symbol used to identify this plugin in the system. Needed when registering handlers or context providers. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
index 10e6b79be4959..5a77dc154f1cc 100644
--- a/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
+++ b/docs/development/core/public/kibana-plugin-public.plugininitializercontext.opaqueid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md)
-
-## PluginInitializerContext.opaqueId property
-
-A symbol used to identify this plugin in the system. Needed when registering handlers or context providers.
-
-<b>Signature:</b>
-
-```typescript
-readonly opaqueId: PluginOpaqueId;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginInitializerContext](./kibana-plugin-public.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-public.plugininitializercontext.opaqueid.md)
+
+## PluginInitializerContext.opaqueId property
+
+A symbol used to identify this plugin in the system. Needed when registering handlers or context providers.
+
+<b>Signature:</b>
+
+```typescript
+readonly opaqueId: PluginOpaqueId;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md b/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
index 8a8202ae1334e..54aa8c60f9f6f 100644
--- a/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
+++ b/docs/development/core/public/kibana-plugin-public.pluginopaqueid.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md)
-
-## PluginOpaqueId type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginOpaqueId = symbol;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [PluginOpaqueId](./kibana-plugin-public.pluginopaqueid.md)
+
+## PluginOpaqueId type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginOpaqueId = symbol;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.recursivereadonly.md b/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
index fe048494063a0..8fe63c4ed838e 100644
--- a/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
+++ b/docs/development/core/public/kibana-plugin-public.recursivereadonly.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md)
-
-## RecursiveReadonly type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
-    [K in keyof T]: RecursiveReadonly<T[K]>;
-}> : T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [RecursiveReadonly](./kibana-plugin-public.recursivereadonly.md)
+
+## RecursiveReadonly type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
+    [K in keyof T]: RecursiveReadonly<T[K]>;
+}> : T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
index 0ec57d679920c..b619418da8432 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [attributes](./kibana-plugin-public.savedobject.attributes.md)
-
-## SavedObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [attributes](./kibana-plugin-public.savedobject.attributes.md)
+
+## SavedObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.error.md b/docs/development/core/public/kibana-plugin-public.savedobject.error.md
index 1d00863ef6ecf..a085da04d0c71 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.error.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.error.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [error](./kibana-plugin-public.savedobject.error.md)
-
-## SavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error?: {
-        message: string;
-        statusCode: number;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [error](./kibana-plugin-public.savedobject.error.md)
+
+## SavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error?: {
+        message: string;
+        statusCode: number;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.id.md b/docs/development/core/public/kibana-plugin-public.savedobject.id.md
index 7b54e0a7c2a74..1e2fc6e8fbc64 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [id](./kibana-plugin-public.savedobject.id.md)
-
-## SavedObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [id](./kibana-plugin-public.savedobject.id.md)
+
+## SavedObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.md b/docs/development/core/public/kibana-plugin-public.savedobject.md
index 00260c62dd934..b1bb3e267bf0e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md)
-
-## SavedObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [error](./kibana-plugin-public.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
-|  [id](./kibana-plugin-public.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-public.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [type](./kibana-plugin-public.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
-|  [updated\_at](./kibana-plugin-public.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
-|  [version](./kibana-plugin-public.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md)
+
+## SavedObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [error](./kibana-plugin-public.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
+|  [id](./kibana-plugin-public.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-public.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [type](./kibana-plugin-public.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
+|  [updated\_at](./kibana-plugin-public.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
+|  [version](./kibana-plugin-public.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
index d07b664f11ff2..98c274df3473c 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md)
-
-## SavedObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [migrationVersion](./kibana-plugin-public.savedobject.migrationversion.md)
+
+## SavedObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.references.md b/docs/development/core/public/kibana-plugin-public.savedobject.references.md
index 3c3ecdd283b5f..055275fcb48a7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [references](./kibana-plugin-public.savedobject.references.md)
-
-## SavedObject.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [references](./kibana-plugin-public.savedobject.references.md)
+
+## SavedObject.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobject.type.md
index 2bce5b8a15634..0f7096ec143f7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [type](./kibana-plugin-public.savedobject.type.md)
-
-## SavedObject.type property
-
-The type of Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [type](./kibana-plugin-public.savedobject.type.md)
+
+## SavedObject.type property
+
+The type of Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md b/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
index 861128c69ae2a..0bea6d602a9a0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.updated_at.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [updated\_at](./kibana-plugin-public.savedobject.updated_at.md)
-
-## SavedObject.updated\_at property
-
-Timestamp of the last time this document had been updated.
-
-<b>Signature:</b>
-
-```typescript
-updated_at?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [updated\_at](./kibana-plugin-public.savedobject.updated_at.md)
+
+## SavedObject.updated\_at property
+
+Timestamp of the last time this document had been updated.
+
+<b>Signature:</b>
+
+```typescript
+updated_at?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobject.version.md b/docs/development/core/public/kibana-plugin-public.savedobject.version.md
index 26356f444f2ca..572d7f7305756 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobject.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobject.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [version](./kibana-plugin-public.savedobject.version.md)
-
-## SavedObject.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObject](./kibana-plugin-public.savedobject.md) &gt; [version](./kibana-plugin-public.savedobject.version.md)
+
+## SavedObject.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md b/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
index 5ce6a60f76c79..00f8e7216d445 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattribute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
-
-## SavedObjectAttribute type
-
-Type definition for a Saved Object attribute value
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
+
+## SavedObjectAttribute type
+
+Type definition for a Saved Object attribute value
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
index 39c02216f4827..54cc3edeb5224 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md)
-
-## SavedObjectAttributes interface
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectAttributes 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributes](./kibana-plugin-public.savedobjectattributes.md)
+
+## SavedObjectAttributes interface
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectAttributes 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md b/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
index 3f2d70baa64e6..a72538a5ee4a9 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectattributesingle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md)
-
-## SavedObjectAttributeSingle type
-
-Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-public.savedobjectattributesingle.md)
+
+## SavedObjectAttributeSingle type
+
+Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-public.savedobjectattribute.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
index 27b820607f860..1bc1f35641df0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [id](./kibana-plugin-public.savedobjectreference.id.md)
-
-## SavedObjectReference.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [id](./kibana-plugin-public.savedobjectreference.id.md)
+
+## SavedObjectReference.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
index 7ae05e24a5d89..f6c0d3676f64f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md)
-
-## SavedObjectReference interface
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectReference 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectreference.id.md) | <code>string</code> |  |
-|  [name](./kibana-plugin-public.savedobjectreference.name.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectreference.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md)
+
+## SavedObjectReference interface
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectReference 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectreference.id.md) | <code>string</code> |  |
+|  [name](./kibana-plugin-public.savedobjectreference.name.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectreference.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
index 104a8c313b528..cd39686b09ad7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [name](./kibana-plugin-public.savedobjectreference.name.md)
-
-## SavedObjectReference.name property
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [name](./kibana-plugin-public.savedobjectreference.name.md)
+
+## SavedObjectReference.name property
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
index 5b55a18becab7..deba8fe324843 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectreference.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [type](./kibana-plugin-public.savedobjectreference.type.md)
-
-## SavedObjectReference.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectReference](./kibana-plugin-public.savedobjectreference.md) &gt; [type](./kibana-plugin-public.savedobjectreference.type.md)
+
+## SavedObjectReference.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
index 00ea2fd158291..1fc64405d7702 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md)
-
-## SavedObjectsBaseOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md)
+
+## SavedObjectsBaseOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
index fb8d0d957a275..a30b6e9963a74 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbaseoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md)
-
-## SavedObjectsBaseOptions.namespace property
-
-Specify the namespace for this operation
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-public.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbaseoptions.namespace.md)
+
+## SavedObjectsBaseOptions.namespace property
+
+Specify the namespace for this operation
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
index 2ccddb8f71bd6..5a08b3f97f429 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md)
-
-## SavedObjectsBatchResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBatchResponse<T extends SavedObjectAttributes = SavedObjectAttributes> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md) | <code>Array&lt;SimpleSavedObject&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md)
+
+## SavedObjectsBatchResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBatchResponse<T extends SavedObjectAttributes = SavedObjectAttributes> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md) | <code>Array&lt;SimpleSavedObject&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
index f83b6268431c7..7b8e1acb0d9de 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) &gt; [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md)
-
-## SavedObjectsBatchResponse.savedObjects property
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: Array<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBatchResponse](./kibana-plugin-public.savedobjectsbatchresponse.md) &gt; [savedObjects](./kibana-plugin-public.savedobjectsbatchresponse.savedobjects.md)
+
+## SavedObjectsBatchResponse.savedObjects property
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: Array<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
index e3f7e0d676087..f078ec35aa816 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md)
-
-## SavedObjectsBulkCreateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md)
+
+## SavedObjectsBulkCreateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
index 8f95c0533dded..c479e9f9f3e3f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md)
-
-## SavedObjectsBulkCreateObject interface
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md)
+
+## SavedObjectsBulkCreateObject interface
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
index 37497b9178782..3c29e99fa30c3 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md)
-
-## SavedObjectsBulkCreateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-public.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkcreateobject.type.md)
+
+## SavedObjectsBulkCreateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
index 697084d8eee38..198968f93f7e4 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md)
-
-## SavedObjectsBulkCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md)
+
+## SavedObjectsBulkCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
index e3b425da892b2..0acc51bfdb76b 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md)
-
-## SavedObjectsBulkCreateOptions.overwrite property
-
-If a document with the given `id` already exists, overwrite it's contents (default=false).
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkCreateOptions](./kibana-plugin-public.savedobjectsbulkcreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsbulkcreateoptions.overwrite.md)
+
+## SavedObjectsBulkCreateOptions.overwrite property
+
+If a document with the given `id` already exists, overwrite it's contents (default=false).
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
index 235c896532beb..9dc333d005e8e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md)
-
-## SavedObjectsBulkUpdateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md)
+
+## SavedObjectsBulkUpdateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
index 8fbece1de7aa1..4f253769fc912 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md)
-
-## SavedObjectsBulkUpdateObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md)
+
+## SavedObjectsBulkUpdateObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
index 91688c01df34c..ca0eabb265901 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md)
-
-## SavedObjectsBulkUpdateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = SavedObjectAttributes> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md) | <code>T</code> |  |
-|  [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md) | <code>string</code> |  |
-|  [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md) | <code>string</code> |  |
-|  [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md)
+
+## SavedObjectsBulkUpdateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = SavedObjectAttributes> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-public.savedobjectsbulkupdateobject.attributes.md) | <code>T</code> |  |
+|  [id](./kibana-plugin-public.savedobjectsbulkupdateobject.id.md) | <code>string</code> |  |
+|  [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md) | <code>string</code> |  |
+|  [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
index 3949eb809c3a0..fd24cfa13c688 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md)
-
-## SavedObjectsBulkUpdateObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [references](./kibana-plugin-public.savedobjectsbulkupdateobject.references.md)
+
+## SavedObjectsBulkUpdateObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
index b3bd0f7eb2580..d0c9b11316b46 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md)
-
-## SavedObjectsBulkUpdateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-public.savedobjectsbulkupdateobject.type.md)
+
+## SavedObjectsBulkUpdateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
index 7608bc7aff909..ab1844430784b 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateobject.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md)
-
-## SavedObjectsBulkUpdateObject.version property
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-public.savedobjectsbulkupdateobject.md) &gt; [version](./kibana-plugin-public.savedobjectsbulkupdateobject.version.md)
+
+## SavedObjectsBulkUpdateObject.version property
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
index 8a2ecefb73283..d3c29fa40dd30 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md)
-
-## SavedObjectsBulkUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md)
+
+## SavedObjectsBulkUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
index 0079e56684b75..2ea3feead9792 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md)
-
-## SavedObjectsBulkUpdateOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-public.savedobjectsbulkupdateoptions.md) &gt; [namespace](./kibana-plugin-public.savedobjectsbulkupdateoptions.namespace.md)
+
+## SavedObjectsBulkUpdateOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
index 426096d96c9ba..391b2f57205d5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkcreate.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md)
-
-## SavedObjectsClient.bulkCreate property
-
-Creates multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate: (objects?: SavedObjectsBulkCreateObject<SavedObjectAttributes>[], options?: SavedObjectsBulkCreateOptions) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md)
+
+## SavedObjectsClient.bulkCreate property
+
+Creates multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate: (objects?: SavedObjectsBulkCreateObject<SavedObjectAttributes>[], options?: SavedObjectsBulkCreateOptions) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
index fc8b3c8258f9c..a54dfe72167a7 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkget.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md)
-
-## SavedObjectsClient.bulkGet property
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet: (objects?: {
-        id: string;
-        type: string;
-    }[]) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md)
+
+## SavedObjectsClient.bulkGet property
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet: (objects?: {
+        id: string;
+        type: string;
+    }[]) => Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
index f39638575beb1..94ae9bb70ccda 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.bulkupdate.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-public.savedobjectsclient.bulkupdate.md)
-
-## SavedObjectsClient.bulkUpdate() method
-
-Update multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes>(objects?: SavedObjectsBulkUpdateObject[]): Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkUpdateObject[]</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>`
-
-The result of the update operation containing both failed and updated saved objects.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-public.savedobjectsclient.bulkupdate.md)
+
+## SavedObjectsClient.bulkUpdate() method
+
+Update multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes>(objects?: SavedObjectsBulkUpdateObject[]): Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkUpdateObject[]</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBatchResponse<SavedObjectAttributes>>`
+
+The result of the update operation containing both failed and updated saved objects.
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
index d6366494f0037..5a7666084ea0f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.create.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [create](./kibana-plugin-public.savedobjectsclient.create.md)
-
-## SavedObjectsClient.create property
-
-Persists an object
-
-<b>Signature:</b>
-
-```typescript
-create: <T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions) => Promise<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [create](./kibana-plugin-public.savedobjectsclient.create.md)
+
+## SavedObjectsClient.create property
+
+Persists an object
+
+<b>Signature:</b>
+
+```typescript
+create: <T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions) => Promise<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
index 03658cbd9fcfd..892fd474a1c9f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [delete](./kibana-plugin-public.savedobjectsclient.delete.md)
-
-## SavedObjectsClient.delete property
-
-Deletes an object
-
-<b>Signature:</b>
-
-```typescript
-delete: (type: string, id: string) => Promise<{}>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [delete](./kibana-plugin-public.savedobjectsclient.delete.md)
+
+## SavedObjectsClient.delete property
+
+Deletes an object
+
+<b>Signature:</b>
+
+```typescript
+delete: (type: string, id: string) => Promise<{}>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
index a4fa3f17d0d94..d3494045952ad 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.find.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [find](./kibana-plugin-public.savedobjectsclient.find.md)
-
-## SavedObjectsClient.find property
-
-Search for objects
-
-<b>Signature:</b>
-
-```typescript
-find: <T extends SavedObjectAttributes>(options: Pick<SavedObjectFindOptionsServer, "search" | "filter" | "type" | "page" | "perPage" | "sortField" | "fields" | "searchFields" | "hasReference" | "defaultSearchOperator">) => Promise<SavedObjectsFindResponsePublic<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [find](./kibana-plugin-public.savedobjectsclient.find.md)
+
+## SavedObjectsClient.find property
+
+Search for objects
+
+<b>Signature:</b>
+
+```typescript
+find: <T extends SavedObjectAttributes>(options: Pick<SavedObjectFindOptionsServer, "search" | "filter" | "type" | "page" | "perPage" | "sortField" | "fields" | "searchFields" | "hasReference" | "defaultSearchOperator">) => Promise<SavedObjectsFindResponsePublic<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
index 88500f4e3a269..bddbadd3e1361 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [get](./kibana-plugin-public.savedobjectsclient.get.md)
-
-## SavedObjectsClient.get property
-
-Fetches a single object
-
-<b>Signature:</b>
-
-```typescript
-get: <T extends SavedObjectAttributes>(type: string, id: string) => Promise<SimpleSavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [get](./kibana-plugin-public.savedobjectsclient.get.md)
+
+## SavedObjectsClient.get property
+
+Fetches a single object
+
+<b>Signature:</b>
+
+```typescript
+get: <T extends SavedObjectAttributes>(type: string, id: string) => Promise<SimpleSavedObject<T>>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
index 88485aa71f7c5..7aa17eae2da87 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-## SavedObjectsClient class
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects.
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsClient 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md) |  | <code>(objects?: SavedObjectsBulkCreateObject&lt;SavedObjectAttributes&gt;[], options?: SavedObjectsBulkCreateOptions) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Creates multiple documents at once |
-|  [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md) |  | <code>(objects?: {</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }[]) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Returns an array of objects by id |
-|  [create](./kibana-plugin-public.savedobjectsclient.create.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, attributes: T, options?: SavedObjectsCreateOptions) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Persists an object |
-|  [delete](./kibana-plugin-public.savedobjectsclient.delete.md) |  | <code>(type: string, id: string) =&gt; Promise&lt;{}&gt;</code> | Deletes an object |
-|  [find](./kibana-plugin-public.savedobjectsclient.find.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(options: Pick&lt;SavedObjectFindOptionsServer, &quot;search&quot; &#124; &quot;filter&quot; &#124; &quot;type&quot; &#124; &quot;page&quot; &#124; &quot;perPage&quot; &#124; &quot;sortField&quot; &#124; &quot;fields&quot; &#124; &quot;searchFields&quot; &#124; &quot;hasReference&quot; &#124; &quot;defaultSearchOperator&quot;&gt;) =&gt; Promise&lt;SavedObjectsFindResponsePublic&lt;T&gt;&gt;</code> | Search for objects |
-|  [get](./kibana-plugin-public.savedobjectsclient.get.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, id: string) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Fetches a single object |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkUpdate(objects)](./kibana-plugin-public.savedobjectsclient.bulkupdate.md) |  | Update multiple documents at once |
-|  [update(type, id, attributes, { version, migrationVersion, references })](./kibana-plugin-public.savedobjectsclient.update.md) |  | Updates an object |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+## SavedObjectsClient class
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state. The client-side SavedObjectsClient is a thin convenience library around the SavedObjects HTTP API for interacting with Saved Objects.
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsClient 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [bulkCreate](./kibana-plugin-public.savedobjectsclient.bulkcreate.md) |  | <code>(objects?: SavedObjectsBulkCreateObject&lt;SavedObjectAttributes&gt;[], options?: SavedObjectsBulkCreateOptions) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Creates multiple documents at once |
+|  [bulkGet](./kibana-plugin-public.savedobjectsclient.bulkget.md) |  | <code>(objects?: {</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }[]) =&gt; Promise&lt;SavedObjectsBatchResponse&lt;SavedObjectAttributes&gt;&gt;</code> | Returns an array of objects by id |
+|  [create](./kibana-plugin-public.savedobjectsclient.create.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, attributes: T, options?: SavedObjectsCreateOptions) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Persists an object |
+|  [delete](./kibana-plugin-public.savedobjectsclient.delete.md) |  | <code>(type: string, id: string) =&gt; Promise&lt;{}&gt;</code> | Deletes an object |
+|  [find](./kibana-plugin-public.savedobjectsclient.find.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(options: Pick&lt;SavedObjectFindOptionsServer, &quot;search&quot; &#124; &quot;filter&quot; &#124; &quot;type&quot; &#124; &quot;page&quot; &#124; &quot;perPage&quot; &#124; &quot;sortField&quot; &#124; &quot;fields&quot; &#124; &quot;searchFields&quot; &#124; &quot;hasReference&quot; &#124; &quot;defaultSearchOperator&quot;&gt;) =&gt; Promise&lt;SavedObjectsFindResponsePublic&lt;T&gt;&gt;</code> | Search for objects |
+|  [get](./kibana-plugin-public.savedobjectsclient.get.md) |  | <code>&lt;T extends SavedObjectAttributes&gt;(type: string, id: string) =&gt; Promise&lt;SimpleSavedObject&lt;T&gt;&gt;</code> | Fetches a single object |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkUpdate(objects)](./kibana-plugin-public.savedobjectsclient.bulkupdate.md) |  | Update multiple documents at once |
+|  [update(type, id, attributes, { version, migrationVersion, references })](./kibana-plugin-public.savedobjectsclient.update.md) |  | Updates an object |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
index 5f87f46d6206f..9f7e46943bbd5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclient.update.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [update](./kibana-plugin-public.savedobjectsclient.update.md)
-
-## SavedObjectsClient.update() method
-
-Updates an object
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes>(type: string, id: string, attributes: T, { version, migrationVersion, references }?: SavedObjectsUpdateOptions): Promise<SimpleSavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  { version, migrationVersion, references } | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SimpleSavedObject<T>>`
-
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) &gt; [update](./kibana-plugin-public.savedobjectsclient.update.md)
+
+## SavedObjectsClient.update() method
+
+Updates an object
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes>(type: string, id: string, attributes: T, { version, migrationVersion, references }?: SavedObjectsUpdateOptions): Promise<SimpleSavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  { version, migrationVersion, references } | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SimpleSavedObject<T>>`
+
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md b/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
index 876f3164feec2..fd6dc0745a119 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsclientcontract.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md)
-
-## SavedObjectsClientContract type
-
-SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientContract = PublicMethodsOf<SavedObjectsClient>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsClientContract](./kibana-plugin-public.savedobjectsclientcontract.md)
+
+## SavedObjectsClientContract type
+
+SavedObjectsClientContract as implemented by the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientContract = PublicMethodsOf<SavedObjectsClient>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
index fc0532a10d639..7d953afda7280 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-public.savedobjectscreateoptions.id.md)
-
-## SavedObjectsCreateOptions.id property
-
-(Not recommended) Specify an id instead of having the saved objects service generate one for you.
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-public.savedobjectscreateoptions.id.md)
+
+## SavedObjectsCreateOptions.id property
+
+(Not recommended) Specify an id instead of having the saved objects service generate one for you.
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
index 08090c0f8d8c3..0e6f17739d42e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md)
-
-## SavedObjectsCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsCreateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectscreateoptions.id.md) | <code>string</code> | (Not recommended) Specify an id instead of having the saved objects service generate one for you. |
-|  [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
-|  [references](./kibana-plugin-public.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md)
+
+## SavedObjectsCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsCreateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectscreateoptions.id.md) | <code>string</code> | (Not recommended) Specify an id instead of having the saved objects service generate one for you. |
+|  [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | If a document with the given <code>id</code> already exists, overwrite it's contents (default=false). |
+|  [references](./kibana-plugin-public.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
index 5bc6b62f6680e..6a32b56d644f2 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md)
-
-## SavedObjectsCreateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectscreateoptions.migrationversion.md)
+
+## SavedObjectsCreateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
index d83541fc9e874..7fcac94b45a63 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md)
-
-## SavedObjectsCreateOptions.overwrite property
-
-If a document with the given `id` already exists, overwrite it's contents (default=false).
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-public.savedobjectscreateoptions.overwrite.md)
+
+## SavedObjectsCreateOptions.overwrite property
+
+If a document with the given `id` already exists, overwrite it's contents (default=false).
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
index f6bcd47a3e8d5..d828089e198e4 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectscreateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectscreateoptions.references.md)
-
-## SavedObjectsCreateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-public.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectscreateoptions.references.md)
+
+## SavedObjectsCreateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
index 181e2bb237c53..9f83f4226ede0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md)
-
-## SavedObjectsFindOptions.defaultSearchOperator property
-
-<b>Signature:</b>
-
-```typescript
-defaultSearchOperator?: 'AND' | 'OR';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md)
+
+## SavedObjectsFindOptions.defaultSearchOperator property
+
+<b>Signature:</b>
+
+```typescript
+defaultSearchOperator?: 'AND' | 'OR';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
index 20cbf04418222..4c56f06c53dde 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.fields.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md)
-
-## SavedObjectsFindOptions.fields property
-
-An array of fields to include in the results
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
-
-## Example
-
-SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md)
+
+## SavedObjectsFindOptions.fields property
+
+An array of fields to include in the results
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
+
+## Example
+
+SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
index 82237134e0b22..e9b9a472171f1 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.filter.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md)
-
-## SavedObjectsFindOptions.filter property
-
-<b>Signature:</b>
-
-```typescript
-filter?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md)
+
+## SavedObjectsFindOptions.filter property
+
+<b>Signature:</b>
+
+```typescript
+filter?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
index 63f65d22cc33b..22548f2ec4288 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.hasreference.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md)
-
-## SavedObjectsFindOptions.hasReference property
-
-<b>Signature:</b>
-
-```typescript
-hasReference?: {
-        type: string;
-        id: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md)
+
+## SavedObjectsFindOptions.hasReference property
+
+<b>Signature:</b>
+
+```typescript
+hasReference?: {
+        type: string;
+        id: string;
+    };
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
index 4c916431d4333..ad093cf5a38eb 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md)
-
-## SavedObjectsFindOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
-|  [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
-|  [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
-|  [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
-|  [page](./kibana-plugin-public.savedobjectsfindoptions.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
-|  [search](./kibana-plugin-public.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
-|  [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
-|  [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
-|  [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md)
+
+## SavedObjectsFindOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [defaultSearchOperator](./kibana-plugin-public.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
+|  [fields](./kibana-plugin-public.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
+|  [filter](./kibana-plugin-public.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
+|  [hasReference](./kibana-plugin-public.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
+|  [page](./kibana-plugin-public.savedobjectsfindoptions.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
+|  [search](./kibana-plugin-public.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
+|  [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
+|  [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
+|  [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
index 982005adb2454..a7d057be73247 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-public.savedobjectsfindoptions.page.md)
-
-## SavedObjectsFindOptions.page property
-
-<b>Signature:</b>
-
-```typescript
-page?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-public.savedobjectsfindoptions.page.md)
+
+## SavedObjectsFindOptions.page property
+
+<b>Signature:</b>
+
+```typescript
+page?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
index 3c61f690d82c0..bdb0d4a6129a5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md)
-
-## SavedObjectsFindOptions.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindoptions.perpage.md)
+
+## SavedObjectsFindOptions.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage?: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
index f8f95e5329826..1a343e8902ad6 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-public.savedobjectsfindoptions.search.md)
-
-## SavedObjectsFindOptions.search property
-
-Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-public.savedobjectsfindoptions.search.md)
+
+## SavedObjectsFindOptions.search property
+
+Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
index 5e97ef00b4417..c86b69f28758c 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.searchfields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md)
-
-## SavedObjectsFindOptions.searchFields property
-
-The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-searchFields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-public.savedobjectsfindoptions.searchfields.md)
+
+## SavedObjectsFindOptions.searchFields property
+
+The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+searchFields?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
index 14ab40894cecd..37585b2eab803 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortfield.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md)
-
-## SavedObjectsFindOptions.sortField property
-
-<b>Signature:</b>
-
-```typescript
-sortField?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-public.savedobjectsfindoptions.sortfield.md)
+
+## SavedObjectsFindOptions.sortField property
+
+<b>Signature:</b>
+
+```typescript
+sortField?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
index b1e58658c0083..78585a6e5aae3 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.sortorder.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md)
-
-## SavedObjectsFindOptions.sortOrder property
-
-<b>Signature:</b>
-
-```typescript
-sortOrder?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-public.savedobjectsfindoptions.sortorder.md)
+
+## SavedObjectsFindOptions.sortOrder property
+
+<b>Signature:</b>
+
+```typescript
+sortOrder?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
index 97db9bc11c1c4..ac8bdc3eaafcf 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindoptions.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-public.savedobjectsfindoptions.type.md)
-
-## SavedObjectsFindOptions.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-public.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-public.savedobjectsfindoptions.type.md)
+
+## SavedObjectsFindOptions.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string | string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
index 61a2daa59f16a..f60e7305fba34 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md)
-
-## SavedObjectsFindResponsePublic interface
-
-Return type of the Saved Objects `find()` method.
-
-\*Note\*: this type is different between the Public and Server Saved Objects clients.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindResponsePublic<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsBatchResponse<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md) | <code>number</code> |  |
-|  [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md)
+
+## SavedObjectsFindResponsePublic interface
+
+Return type of the Saved Objects `find()` method.
+
+\*Note\*: this type is different between the Public and Server Saved Objects clients.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindResponsePublic<T extends SavedObjectAttributes = SavedObjectAttributes> extends SavedObjectsBatchResponse<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md) | <code>number</code> |  |
+|  [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
index 20e96d1e0df40..f6ec58ca81171 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md)
-
-## SavedObjectsFindResponsePublic.page property
-
-<b>Signature:</b>
-
-```typescript
-page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [page](./kibana-plugin-public.savedobjectsfindresponsepublic.page.md)
+
+## SavedObjectsFindResponsePublic.page property
+
+<b>Signature:</b>
+
+```typescript
+page: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
index f706f9cb03b26..490e1b9c63bd9 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md)
-
-## SavedObjectsFindResponsePublic.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [perPage](./kibana-plugin-public.savedobjectsfindresponsepublic.perpage.md)
+
+## SavedObjectsFindResponsePublic.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
index 0a44c73436a2c..d2b40951b4693 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsfindresponsepublic.total.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md)
-
-## SavedObjectsFindResponsePublic.total property
-
-<b>Signature:</b>
-
-```typescript
-total: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsFindResponsePublic](./kibana-plugin-public.savedobjectsfindresponsepublic.md) &gt; [total](./kibana-plugin-public.savedobjectsfindresponsepublic.total.md)
+
+## SavedObjectsFindResponsePublic.total property
+
+<b>Signature:</b>
+
+```typescript
+total: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
index 6becc3d507461..07013273f1a54 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md)
-
-## SavedObjectsImportConflictError interface
-
-Represents a failure to import due to a conflict.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportConflictError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md)
+
+## SavedObjectsImportConflictError interface
+
+Represents a failure to import due to a conflict.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportConflictError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
index af20cc8fa8df2..0151f3e7db5d6 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportconflicterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md)
-
-## SavedObjectsImportConflictError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'conflict';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-public.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportconflicterror.type.md)
+
+## SavedObjectsImportConflictError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'conflict';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
index ece6016e8bf54..f650c949a5713 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-public.savedobjectsimporterror.error.md)
-
-## SavedObjectsImportError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-public.savedobjectsimporterror.error.md)
+
+## SavedObjectsImportError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
index 995fe61745a00..6eb20036791ba 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-public.savedobjectsimporterror.id.md)
-
-## SavedObjectsImportError.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-public.savedobjectsimporterror.id.md)
+
+## SavedObjectsImportError.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
index dee8bb1c79a57..beb51cab1b21d 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md)
-
-## SavedObjectsImportError interface
-
-Represents a failure to import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-public.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
-|  [id](./kibana-plugin-public.savedobjectsimporterror.id.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-public.savedobjectsimporterror.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimporterror.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md)
+
+## SavedObjectsImportError interface
+
+Represents a failure to import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-public.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
+|  [id](./kibana-plugin-public.savedobjectsimporterror.id.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-public.savedobjectsimporterror.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimporterror.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
index 71fa13ad4a5d0..ef719e349618a 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-public.savedobjectsimporterror.title.md)
-
-## SavedObjectsImportError.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-public.savedobjectsimporterror.title.md)
+
+## SavedObjectsImportError.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
index fe98dc928e5f0..5b854a805cb31 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimporterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimporterror.type.md)
-
-## SavedObjectsImportError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportError](./kibana-plugin-public.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-public.savedobjectsimporterror.type.md)
+
+## SavedObjectsImportError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
index 76bd6e0939a96..8223c30f948d1 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md)
-
-## SavedObjectsImportMissingReferencesError.blocking property
-
-<b>Signature:</b>
-
-```typescript
-blocking: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md)
+
+## SavedObjectsImportMissingReferencesError.blocking property
+
+<b>Signature:</b>
+
+```typescript
+blocking: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
index 58af9e9be0cc5..80c17b97047e8 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md)
-
-## SavedObjectsImportMissingReferencesError interface
-
-Represents a failure to import due to missing references.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportMissingReferencesError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md)
+
+## SavedObjectsImportMissingReferencesError interface
+
+Represents a failure to import due to missing references.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportMissingReferencesError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [blocking](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
index f1dc3b454f7ed..4a40aa98ca6d0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md)
-
-## SavedObjectsImportMissingReferencesError.references property
-
-<b>Signature:</b>
-
-```typescript
-references: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.references.md)
+
+## SavedObjectsImportMissingReferencesError.references property
+
+<b>Signature:</b>
+
+```typescript
+references: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
index 340b36248d83e..62862107c11b4 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md)
-
-## SavedObjectsImportMissingReferencesError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'missing_references';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportmissingreferenceserror.type.md)
+
+## SavedObjectsImportMissingReferencesError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'missing_references';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
index c085fd0f8c3b4..7bcea02f7ca49 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md)
-
-## SavedObjectsImportResponse.errors property
-
-<b>Signature:</b>
-
-```typescript
-errors?: SavedObjectsImportError[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md)
+
+## SavedObjectsImportResponse.errors property
+
+<b>Signature:</b>
+
+```typescript
+errors?: SavedObjectsImportError[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
index 9733f11fd6b8f..b75f517346195 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md)
-
-## SavedObjectsImportResponse interface
-
-The response describing the result of an import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
-|  [success](./kibana-plugin-public.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
-|  [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md)
+
+## SavedObjectsImportResponse interface
+
+The response describing the result of an import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [errors](./kibana-plugin-public.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
+|  [success](./kibana-plugin-public.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
+|  [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
index 062b8ce3f7c72..b56ce92e7a91e 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.success.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-public.savedobjectsimportresponse.success.md)
-
-## SavedObjectsImportResponse.success property
-
-<b>Signature:</b>
-
-```typescript
-success: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-public.savedobjectsimportresponse.success.md)
+
+## SavedObjectsImportResponse.success property
+
+<b>Signature:</b>
+
+```typescript
+success: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
index c2c9385926175..1d5dc3295a8b5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportresponse.successcount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md)
-
-## SavedObjectsImportResponse.successCount property
-
-<b>Signature:</b>
-
-```typescript
-successCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-public.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-public.savedobjectsimportresponse.successcount.md)
+
+## SavedObjectsImportResponse.successCount property
+
+<b>Signature:</b>
+
+```typescript
+successCount: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
index 2569152f17b15..93a983be538f0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-public.savedobjectsimportretry.id.md)
-
-## SavedObjectsImportRetry.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-public.savedobjectsimportretry.id.md)
+
+## SavedObjectsImportRetry.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
index e2cad52f92f2d..64021b0e363de 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md)
-
-## SavedObjectsImportRetry interface
-
-Describes a retry operation for importing a saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportRetry 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-public.savedobjectsimportretry.id.md) | <code>string</code> |  |
-|  [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
-|  [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportretry.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md)
+
+## SavedObjectsImportRetry interface
+
+Describes a retry operation for importing a saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportRetry 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-public.savedobjectsimportretry.id.md) | <code>string</code> |  |
+|  [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
+|  [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportretry.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
index 9d1f96b2fcfcf..836d33585c0b8 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md)
-
-## SavedObjectsImportRetry.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-public.savedobjectsimportretry.overwrite.md)
+
+## SavedObjectsImportRetry.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
index fe587ef8134cc..35ad49b0cdf97 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.replacereferences.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md)
-
-## SavedObjectsImportRetry.replaceReferences property
-
-<b>Signature:</b>
-
-```typescript
-replaceReferences: Array<{
-        type: string;
-        from: string;
-        to: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-public.savedobjectsimportretry.replacereferences.md)
+
+## SavedObjectsImportRetry.replaceReferences property
+
+<b>Signature:</b>
+
+```typescript
+replaceReferences: Array<{
+        type: string;
+        from: string;
+        to: string;
+    }>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
index b84dac102483a..a7795ca326f33 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportretry.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-public.savedobjectsimportretry.type.md)
-
-## SavedObjectsImportRetry.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-public.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-public.savedobjectsimportretry.type.md)
+
+## SavedObjectsImportRetry.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
index e683757171787..cb949bad67045 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md)
-
-## SavedObjectsImportUnknownError interface
-
-Represents a failure to import due to an unknown reason.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnknownError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
-|  [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
-|  [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md)
+
+## SavedObjectsImportUnknownError interface
+
+Represents a failure to import due to an unknown reason.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnknownError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
+|  [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
+|  [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
index 976c2817bda0a..7a775d4ad8be5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md)
-
-## SavedObjectsImportUnknownError.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-public.savedobjectsimportunknownerror.message.md)
+
+## SavedObjectsImportUnknownError.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
index 6c7255dd4b631..cea023fe577e5 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md)
-
-## SavedObjectsImportUnknownError.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-public.savedobjectsimportunknownerror.statuscode.md)
+
+## SavedObjectsImportUnknownError.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
index 2ef764d68322e..4f533bf6c6347 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunknownerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md)
-
-## SavedObjectsImportUnknownError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unknown';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-public.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunknownerror.type.md)
+
+## SavedObjectsImportUnknownError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unknown';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
index 09ae53c031352..caa7a2729e6a0 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md)
-
-## SavedObjectsImportUnsupportedTypeError interface
-
-Represents a failure to import due to having an unsupported saved object type.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnsupportedTypeError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md)
+
+## SavedObjectsImportUnsupportedTypeError interface
+
+Represents a failure to import due to having an unsupported saved object type.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnsupportedTypeError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
index 55ddf15058fab..e6d20db043408 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md)
-
-## SavedObjectsImportUnsupportedTypeError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unsupported_type';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-public.savedobjectsimportunsupportedtypeerror.type.md)
+
+## SavedObjectsImportUnsupportedTypeError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unsupported_type';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
index 675adb9498c50..7a50744acee30 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsmigrationversion.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md)
-
-## SavedObjectsMigrationVersion interface
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationVersion 
-```
-
-## Example
-
-migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-public.savedobjectsmigrationversion.md)
+
+## SavedObjectsMigrationVersion interface
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationVersion 
+```
+
+## Example
+
+migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
index d3e0da7a414b0..be4bf6c5c21bf 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.client.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) &gt; [client](./kibana-plugin-public.savedobjectsstart.client.md)
-
-## SavedObjectsStart.client property
-
-[SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
-
-<b>Signature:</b>
-
-```typescript
-client: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md) &gt; [client](./kibana-plugin-public.savedobjectsstart.client.md)
+
+## SavedObjectsStart.client property
+
+[SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)
+
+<b>Signature:</b>
+
+```typescript
+client: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
index 07a70f306cd26..a7e69205bcf95 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsstart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
-
-## SavedObjectsStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [client](./kibana-plugin-public.savedobjectsstart.client.md) | <code>SavedObjectsClientContract</code> | [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsStart](./kibana-plugin-public.savedobjectsstart.md)
+
+## SavedObjectsStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [client](./kibana-plugin-public.savedobjectsstart.client.md) | <code>SavedObjectsClientContract</code> | [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md) |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
index 800a78d65486b..dc9dc94751607 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md)
-
-## SavedObjectsUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md)
+
+## SavedObjectsUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
index e5fe20acd3994..69e8312c1f197 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md)
-
-## SavedObjectsUpdateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [migrationVersion](./kibana-plugin-public.savedobjectsupdateoptions.migrationversion.md)
+
+## SavedObjectsUpdateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
index eda84ec8e0bfa..d4f479a634af3 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md)
-
-## SavedObjectsUpdateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-public.savedobjectsupdateoptions.references.md)
+
+## SavedObjectsUpdateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
index 9aacfa9124016..7e0ccf9c2d71f 100644
--- a/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
+++ b/docs/development/core/public/kibana-plugin-public.savedobjectsupdateoptions.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md)
-
-## SavedObjectsUpdateOptions.version property
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-public.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-public.savedobjectsupdateoptions.version.md)
+
+## SavedObjectsUpdateOptions.version property
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
index ebc7652a0fcf5..f0769c0124d63 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject._constructor_.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [(constructor)](./kibana-plugin-public.simplesavedobject._constructor_.md)
-
-## SimpleSavedObject.(constructor)
-
-Constructs a new instance of the `SimpleSavedObject` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(client: SavedObjectsClient, { id, type, version, attributes, error, references, migrationVersion }: SavedObjectType<T>);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  client | <code>SavedObjectsClient</code> |  |
-|  { id, type, version, attributes, error, references, migrationVersion } | <code>SavedObjectType&lt;T&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [(constructor)](./kibana-plugin-public.simplesavedobject._constructor_.md)
+
+## SimpleSavedObject.(constructor)
+
+Constructs a new instance of the `SimpleSavedObject` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(client: SavedObjectsClient, { id, type, version, attributes, error, references, migrationVersion }: SavedObjectType<T>);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  client | <code>SavedObjectsClient</code> |  |
+|  { id, type, version, attributes, error, references, migrationVersion } | <code>SavedObjectType&lt;T&gt;</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
index 7cbe08b8de760..d49d4309addd4 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject._version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [\_version](./kibana-plugin-public.simplesavedobject._version.md)
-
-## SimpleSavedObject.\_version property
-
-<b>Signature:</b>
-
-```typescript
-_version?: SavedObjectType<T>['version'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [\_version](./kibana-plugin-public.simplesavedobject._version.md)
+
+## SimpleSavedObject.\_version property
+
+<b>Signature:</b>
+
+```typescript
+_version?: SavedObjectType<T>['version'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
index 1c57136a1952e..00898a0db5c84 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [attributes](./kibana-plugin-public.simplesavedobject.attributes.md)
-
-## SimpleSavedObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [attributes](./kibana-plugin-public.simplesavedobject.attributes.md)
+
+## SimpleSavedObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
index 8a04acfedec62..e3ce90bc1d544 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.delete.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [delete](./kibana-plugin-public.simplesavedobject.delete.md)
-
-## SimpleSavedObject.delete() method
-
-<b>Signature:</b>
-
-```typescript
-delete(): Promise<{}>;
-```
-<b>Returns:</b>
-
-`Promise<{}>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [delete](./kibana-plugin-public.simplesavedobject.delete.md)
+
+## SimpleSavedObject.delete() method
+
+<b>Signature:</b>
+
+```typescript
+delete(): Promise<{}>;
+```
+<b>Returns:</b>
+
+`Promise<{}>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
index 0b4f914ac92e8..5731b71b52126 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [error](./kibana-plugin-public.simplesavedobject.error.md)
-
-## SimpleSavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectType<T>['error'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [error](./kibana-plugin-public.simplesavedobject.error.md)
+
+## SimpleSavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectType<T>['error'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
index 39a899e4a6cd3..943a23410f6aa 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.get.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [get](./kibana-plugin-public.simplesavedobject.get.md)
-
-## SimpleSavedObject.get() method
-
-<b>Signature:</b>
-
-```typescript
-get(key: string): any;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`any`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [get](./kibana-plugin-public.simplesavedobject.get.md)
+
+## SimpleSavedObject.get() method
+
+<b>Signature:</b>
+
+```typescript
+get(key: string): any;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`any`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
index 5f3019d55c3f6..dacdcc849635f 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.has.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [has](./kibana-plugin-public.simplesavedobject.has.md)
-
-## SimpleSavedObject.has() method
-
-<b>Signature:</b>
-
-```typescript
-has(key: string): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [has](./kibana-plugin-public.simplesavedobject.has.md)
+
+## SimpleSavedObject.has() method
+
+<b>Signature:</b>
+
+```typescript
+has(key: string): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
index ed97976c4100f..375c5bd105aa7 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [id](./kibana-plugin-public.simplesavedobject.id.md)
-
-## SimpleSavedObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: SavedObjectType<T>['id'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [id](./kibana-plugin-public.simplesavedobject.id.md)
+
+## SimpleSavedObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: SavedObjectType<T>['id'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
index 8dc8bdceaeb13..1f6de163ec17d 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.md
@@ -1,44 +1,44 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md)
-
-## SimpleSavedObject class
-
-This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.
-
-It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations.
-
-<b>Signature:</b>
-
-```typescript
-export declare class SimpleSavedObject<T extends SavedObjectAttributes> 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(client, { id, type, version, attributes, error, references, migrationVersion })](./kibana-plugin-public.simplesavedobject._constructor_.md) |  | Constructs a new instance of the <code>SimpleSavedObject</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [\_version](./kibana-plugin-public.simplesavedobject._version.md) |  | <code>SavedObjectType&lt;T&gt;['version']</code> |  |
-|  [attributes](./kibana-plugin-public.simplesavedobject.attributes.md) |  | <code>T</code> |  |
-|  [error](./kibana-plugin-public.simplesavedobject.error.md) |  | <code>SavedObjectType&lt;T&gt;['error']</code> |  |
-|  [id](./kibana-plugin-public.simplesavedobject.id.md) |  | <code>SavedObjectType&lt;T&gt;['id']</code> |  |
-|  [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md) |  | <code>SavedObjectType&lt;T&gt;['migrationVersion']</code> |  |
-|  [references](./kibana-plugin-public.simplesavedobject.references.md) |  | <code>SavedObjectType&lt;T&gt;['references']</code> |  |
-|  [type](./kibana-plugin-public.simplesavedobject.type.md) |  | <code>SavedObjectType&lt;T&gt;['type']</code> |  |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [delete()](./kibana-plugin-public.simplesavedobject.delete.md) |  |  |
-|  [get(key)](./kibana-plugin-public.simplesavedobject.get.md) |  |  |
-|  [has(key)](./kibana-plugin-public.simplesavedobject.has.md) |  |  |
-|  [save()](./kibana-plugin-public.simplesavedobject.save.md) |  |  |
-|  [set(key, value)](./kibana-plugin-public.simplesavedobject.set.md) |  |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md)
+
+## SimpleSavedObject class
+
+This class is a very simple wrapper for SavedObjects loaded from the server with the [SavedObjectsClient](./kibana-plugin-public.savedobjectsclient.md)<!-- -->.
+
+It provides basic functionality for creating/saving/deleting saved objects, but doesn't include any type-specific implementations.
+
+<b>Signature:</b>
+
+```typescript
+export declare class SimpleSavedObject<T extends SavedObjectAttributes> 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(client, { id, type, version, attributes, error, references, migrationVersion })](./kibana-plugin-public.simplesavedobject._constructor_.md) |  | Constructs a new instance of the <code>SimpleSavedObject</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [\_version](./kibana-plugin-public.simplesavedobject._version.md) |  | <code>SavedObjectType&lt;T&gt;['version']</code> |  |
+|  [attributes](./kibana-plugin-public.simplesavedobject.attributes.md) |  | <code>T</code> |  |
+|  [error](./kibana-plugin-public.simplesavedobject.error.md) |  | <code>SavedObjectType&lt;T&gt;['error']</code> |  |
+|  [id](./kibana-plugin-public.simplesavedobject.id.md) |  | <code>SavedObjectType&lt;T&gt;['id']</code> |  |
+|  [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md) |  | <code>SavedObjectType&lt;T&gt;['migrationVersion']</code> |  |
+|  [references](./kibana-plugin-public.simplesavedobject.references.md) |  | <code>SavedObjectType&lt;T&gt;['references']</code> |  |
+|  [type](./kibana-plugin-public.simplesavedobject.type.md) |  | <code>SavedObjectType&lt;T&gt;['type']</code> |  |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [delete()](./kibana-plugin-public.simplesavedobject.delete.md) |  |  |
+|  [get(key)](./kibana-plugin-public.simplesavedobject.get.md) |  |  |
+|  [has(key)](./kibana-plugin-public.simplesavedobject.has.md) |  |  |
+|  [save()](./kibana-plugin-public.simplesavedobject.save.md) |  |  |
+|  [set(key, value)](./kibana-plugin-public.simplesavedobject.set.md) |  |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
index 6f7b3af03099d..e6eafa4a11845 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.migrationversion.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md)
-
-## SimpleSavedObject.migrationVersion property
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion: SavedObjectType<T>['migrationVersion'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [migrationVersion](./kibana-plugin-public.simplesavedobject.migrationversion.md)
+
+## SimpleSavedObject.migrationVersion property
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion: SavedObjectType<T>['migrationVersion'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
index 159f855538f62..b4264a77f8e94 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [references](./kibana-plugin-public.simplesavedobject.references.md)
-
-## SimpleSavedObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectType<T>['references'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [references](./kibana-plugin-public.simplesavedobject.references.md)
+
+## SimpleSavedObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectType<T>['references'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
index 05f8880fbcdd6..a93b6abfec171 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.save.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [save](./kibana-plugin-public.simplesavedobject.save.md)
-
-## SimpleSavedObject.save() method
-
-<b>Signature:</b>
-
-```typescript
-save(): Promise<SimpleSavedObject<T>>;
-```
-<b>Returns:</b>
-
-`Promise<SimpleSavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [save](./kibana-plugin-public.simplesavedobject.save.md)
+
+## SimpleSavedObject.save() method
+
+<b>Signature:</b>
+
+```typescript
+save(): Promise<SimpleSavedObject<T>>;
+```
+<b>Returns:</b>
+
+`Promise<SimpleSavedObject<T>>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
index ce3f9c5919d7c..e37b03e279a12 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.set.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [set](./kibana-plugin-public.simplesavedobject.set.md)
-
-## SimpleSavedObject.set() method
-
-<b>Signature:</b>
-
-```typescript
-set(key: string, value: any): T;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  key | <code>string</code> |  |
-|  value | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`T`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [set](./kibana-plugin-public.simplesavedobject.set.md)
+
+## SimpleSavedObject.set() method
+
+<b>Signature:</b>
+
+```typescript
+set(key: string, value: any): T;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  key | <code>string</code> |  |
+|  value | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`T`
+
diff --git a/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md b/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
index b004c70013d6d..5a8b8057460d3 100644
--- a/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
+++ b/docs/development/core/public/kibana-plugin-public.simplesavedobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [type](./kibana-plugin-public.simplesavedobject.type.md)
-
-## SimpleSavedObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: SavedObjectType<T>['type'];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [SimpleSavedObject](./kibana-plugin-public.simplesavedobject.md) &gt; [type](./kibana-plugin-public.simplesavedobject.type.md)
+
+## SimpleSavedObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: SavedObjectType<T>['type'];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidation.md b/docs/development/core/public/kibana-plugin-public.stringvalidation.md
index bf01e857d262a..542836c0ba99e 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidation.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidation](./kibana-plugin-public.stringvalidation.md)
-
-## StringValidation type
-
-Allows regex objects or a regex string
-
-<b>Signature:</b>
-
-```typescript
-export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidation](./kibana-plugin-public.stringvalidation.md)
+
+## StringValidation type
+
+Allows regex objects or a regex string
+
+<b>Signature:</b>
+
+```typescript
+export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
index a60a7bbf742c8..e568d9fc035da 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md)
-
-## StringValidationRegex interface
-
-StringValidation with regex object
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegex 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.stringvalidationregex.message.md) | <code>string</code> |  |
-|  [regex](./kibana-plugin-public.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md)
+
+## StringValidationRegex interface
+
+StringValidation with regex object
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegex 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.stringvalidationregex.message.md) | <code>string</code> |  |
+|  [regex](./kibana-plugin-public.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
index dae94ae08bde5..27e11eedb3599 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [message](./kibana-plugin-public.stringvalidationregex.message.md)
-
-## StringValidationRegex.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [message](./kibana-plugin-public.stringvalidationregex.message.md)
+
+## StringValidationRegex.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
index db7a1fca75aae..fc3a6d96108c4 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregex.regex.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [regex](./kibana-plugin-public.stringvalidationregex.regex.md)
-
-## StringValidationRegex.regex property
-
-<b>Signature:</b>
-
-```typescript
-regex: RegExp;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegex](./kibana-plugin-public.stringvalidationregex.md) &gt; [regex](./kibana-plugin-public.stringvalidationregex.regex.md)
+
+## StringValidationRegex.regex property
+
+<b>Signature:</b>
+
+```typescript
+regex: RegExp;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
index f64e65122d9d1..7aa7edf0ac9f0 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md)
-
-## StringValidationRegexString interface
-
-StringValidation as regex string
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegexString 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-public.stringvalidationregexstring.message.md) | <code>string</code> |  |
-|  [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md)
+
+## StringValidationRegexString interface
+
+StringValidation as regex string
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegexString 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-public.stringvalidationregexstring.message.md) | <code>string</code> |  |
+|  [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
index 6d844e8dd970f..109dea29084ac 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-public.stringvalidationregexstring.message.md)
-
-## StringValidationRegexString.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-public.stringvalidationregexstring.message.md)
+
+## StringValidationRegexString.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
index b779f113f3bbc..6e7a23e4cc11f 100644
--- a/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
+++ b/docs/development/core/public/kibana-plugin-public.stringvalidationregexstring.regexstring.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md)
-
-## StringValidationRegexString.regexString property
-
-<b>Signature:</b>
-
-```typescript
-regexString: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [StringValidationRegexString](./kibana-plugin-public.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-public.stringvalidationregexstring.regexstring.md)
+
+## StringValidationRegexString.regexString property
+
+<b>Signature:</b>
+
+```typescript
+regexString: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toast.md b/docs/development/core/public/kibana-plugin-public.toast.md
index 0cbbf29df073a..7cbbf4b3c00fa 100644
--- a/docs/development/core/public/kibana-plugin-public.toast.md
+++ b/docs/development/core/public/kibana-plugin-public.toast.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Toast](./kibana-plugin-public.toast.md)
-
-## Toast type
-
-<b>Signature:</b>
-
-```typescript
-export declare type Toast = ToastInputFields & {
-    id: string;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [Toast](./kibana-plugin-public.toast.md)
+
+## Toast type
+
+<b>Signature:</b>
+
+```typescript
+export declare type Toast = ToastInputFields & {
+    id: string;
+};
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastinput.md b/docs/development/core/public/kibana-plugin-public.toastinput.md
index 9dd20b5899f3a..425d734075469 100644
--- a/docs/development/core/public/kibana-plugin-public.toastinput.md
+++ b/docs/development/core/public/kibana-plugin-public.toastinput.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInput](./kibana-plugin-public.toastinput.md)
-
-## ToastInput type
-
-Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastInput = string | ToastInputFields;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInput](./kibana-plugin-public.toastinput.md)
+
+## ToastInput type
+
+Inputs for [IToasts](./kibana-plugin-public.itoasts.md) APIs.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastInput = string | ToastInputFields;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastinputfields.md b/docs/development/core/public/kibana-plugin-public.toastinputfields.md
index 3a6bc3a5e45da..a8b890e3c3973 100644
--- a/docs/development/core/public/kibana-plugin-public.toastinputfields.md
+++ b/docs/development/core/public/kibana-plugin-public.toastinputfields.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInputFields](./kibana-plugin-public.toastinputfields.md)
-
-## ToastInputFields type
-
-Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastInputFields = Pick<EuiToast, Exclude<keyof EuiToast, 'id' | 'text' | 'title'>> & {
-    title?: string | MountPoint;
-    text?: string | MountPoint;
-};
-```
-
-## Remarks
-
-`id` cannot be specified.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastInputFields](./kibana-plugin-public.toastinputfields.md)
+
+## ToastInputFields type
+
+Allowed fields for [ToastInput](./kibana-plugin-public.toastinput.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastInputFields = Pick<EuiToast, Exclude<keyof EuiToast, 'id' | 'text' | 'title'>> & {
+    title?: string | MountPoint;
+    text?: string | MountPoint;
+};
+```
+
+## Remarks
+
+`id` cannot be specified.
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md b/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
index 2b5ce41de8ece..66f41a6ed38c6 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [(constructor)](./kibana-plugin-public.toastsapi._constructor_.md)
-
-## ToastsApi.(constructor)
-
-Constructs a new instance of the `ToastsApi` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(deps: {
-        uiSettings: IUiSettingsClient;
-    });
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  deps | <code>{</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [(constructor)](./kibana-plugin-public.toastsapi._constructor_.md)
+
+## ToastsApi.(constructor)
+
+Constructs a new instance of the `ToastsApi` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(deps: {
+        uiSettings: IUiSettingsClient;
+    });
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  deps | <code>{</code><br/><code>        uiSettings: IUiSettingsClient;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.add.md b/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
index 6b651b310e974..3d3213739e30b 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.add.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [add](./kibana-plugin-public.toastsapi.add.md)
-
-## ToastsApi.add() method
-
-Adds a new toast to current array of toast.
-
-<b>Signature:</b>
-
-```typescript
-add(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [add](./kibana-plugin-public.toastsapi.add.md)
+
+## ToastsApi.add() method
+
+Adds a new toast to current array of toast.
+
+<b>Signature:</b>
+
+```typescript
+add(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md b/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
index 67ebad919ed2a..07bca25cba8c8 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.adddanger.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addDanger](./kibana-plugin-public.toastsapi.adddanger.md)
-
-## ToastsApi.addDanger() method
-
-Adds a new toast pre-configured with the danger color and alert icon.
-
-<b>Signature:</b>
-
-```typescript
-addDanger(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addDanger](./kibana-plugin-public.toastsapi.adddanger.md)
+
+## ToastsApi.addDanger() method
+
+Adds a new toast pre-configured with the danger color and alert icon.
+
+<b>Signature:</b>
+
+```typescript
+addDanger(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md b/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
index 39090fb8f1bbe..18455fef9d343 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.adderror.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addError](./kibana-plugin-public.toastsapi.adderror.md)
-
-## ToastsApi.addError() method
-
-Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal.
-
-<b>Signature:</b>
-
-```typescript
-addError(error: Error, options: ErrorToastOptions): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> | an <code>Error</code> instance. |
-|  options | <code>ErrorToastOptions</code> | [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addError](./kibana-plugin-public.toastsapi.adderror.md)
+
+## ToastsApi.addError() method
+
+Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal.
+
+<b>Signature:</b>
+
+```typescript
+addError(error: Error, options: ErrorToastOptions): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> | an <code>Error</code> instance. |
+|  options | <code>ErrorToastOptions</code> | [ErrorToastOptions](./kibana-plugin-public.errortoastoptions.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md b/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
index ce9a9a2fae691..b6a9bfb035602 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.addsuccess.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addSuccess](./kibana-plugin-public.toastsapi.addsuccess.md)
-
-## ToastsApi.addSuccess() method
-
-Adds a new toast pre-configured with the success color and check icon.
-
-<b>Signature:</b>
-
-```typescript
-addSuccess(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addSuccess](./kibana-plugin-public.toastsapi.addsuccess.md)
+
+## ToastsApi.addSuccess() method
+
+Adds a new toast pre-configured with the success color and check icon.
+
+<b>Signature:</b>
+
+```typescript
+addSuccess(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md b/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
index 948181f825763..47de96959c688 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.addwarning.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addWarning](./kibana-plugin-public.toastsapi.addwarning.md)
-
-## ToastsApi.addWarning() method
-
-Adds a new toast pre-configured with the warning color and help icon.
-
-<b>Signature:</b>
-
-```typescript
-addWarning(toastOrTitle: ToastInput): Toast;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
-
-<b>Returns:</b>
-
-`Toast`
-
-a [Toast](./kibana-plugin-public.toast.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [addWarning](./kibana-plugin-public.toastsapi.addwarning.md)
+
+## ToastsApi.addWarning() method
+
+Adds a new toast pre-configured with the warning color and help icon.
+
+<b>Signature:</b>
+
+```typescript
+addWarning(toastOrTitle: ToastInput): Toast;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrTitle | <code>ToastInput</code> | a [ToastInput](./kibana-plugin-public.toastinput.md) |
+
+<b>Returns:</b>
+
+`Toast`
+
+a [Toast](./kibana-plugin-public.toast.md)
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md b/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
index 48e4fdc7a2ec0..7ae933f751bd0 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.get_.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [get$](./kibana-plugin-public.toastsapi.get_.md)
-
-## ToastsApi.get$() method
-
-Observable of the toast messages to show to the user.
-
-<b>Signature:</b>
-
-```typescript
-get$(): Rx.Observable<Toast[]>;
-```
-<b>Returns:</b>
-
-`Rx.Observable<Toast[]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [get$](./kibana-plugin-public.toastsapi.get_.md)
+
+## ToastsApi.get$() method
+
+Observable of the toast messages to show to the user.
+
+<b>Signature:</b>
+
+```typescript
+get$(): Rx.Observable<Toast[]>;
+```
+<b>Returns:</b>
+
+`Rx.Observable<Toast[]>`
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.md b/docs/development/core/public/kibana-plugin-public.toastsapi.md
index ae4a2de9fc75c..c69e9b4b8e456 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md)
-
-## ToastsApi class
-
-Methods for adding and removing global toast messages.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ToastsApi implements IToasts 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(deps)](./kibana-plugin-public.toastsapi._constructor_.md) |  | Constructs a new instance of the <code>ToastsApi</code> class |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [add(toastOrTitle)](./kibana-plugin-public.toastsapi.add.md) |  | Adds a new toast to current array of toast. |
-|  [addDanger(toastOrTitle)](./kibana-plugin-public.toastsapi.adddanger.md) |  | Adds a new toast pre-configured with the danger color and alert icon. |
-|  [addError(error, options)](./kibana-plugin-public.toastsapi.adderror.md) |  | Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal. |
-|  [addSuccess(toastOrTitle)](./kibana-plugin-public.toastsapi.addsuccess.md) |  | Adds a new toast pre-configured with the success color and check icon. |
-|  [addWarning(toastOrTitle)](./kibana-plugin-public.toastsapi.addwarning.md) |  | Adds a new toast pre-configured with the warning color and help icon. |
-|  [get$()](./kibana-plugin-public.toastsapi.get_.md) |  | Observable of the toast messages to show to the user. |
-|  [remove(toastOrId)](./kibana-plugin-public.toastsapi.remove.md) |  | Removes a toast from the current array of toasts if present. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md)
+
+## ToastsApi class
+
+Methods for adding and removing global toast messages.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ToastsApi implements IToasts 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(deps)](./kibana-plugin-public.toastsapi._constructor_.md) |  | Constructs a new instance of the <code>ToastsApi</code> class |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [add(toastOrTitle)](./kibana-plugin-public.toastsapi.add.md) |  | Adds a new toast to current array of toast. |
+|  [addDanger(toastOrTitle)](./kibana-plugin-public.toastsapi.adddanger.md) |  | Adds a new toast pre-configured with the danger color and alert icon. |
+|  [addError(error, options)](./kibana-plugin-public.toastsapi.adderror.md) |  | Adds a new toast that displays an exception message with a button to open the full stacktrace in a modal. |
+|  [addSuccess(toastOrTitle)](./kibana-plugin-public.toastsapi.addsuccess.md) |  | Adds a new toast pre-configured with the success color and check icon. |
+|  [addWarning(toastOrTitle)](./kibana-plugin-public.toastsapi.addwarning.md) |  | Adds a new toast pre-configured with the warning color and help icon. |
+|  [get$()](./kibana-plugin-public.toastsapi.get_.md) |  | Observable of the toast messages to show to the user. |
+|  [remove(toastOrId)](./kibana-plugin-public.toastsapi.remove.md) |  | Removes a toast from the current array of toasts if present. |
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md b/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
index 9f27041175207..6f1323a4b0de0 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsapi.remove.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [remove](./kibana-plugin-public.toastsapi.remove.md)
-
-## ToastsApi.remove() method
-
-Removes a toast from the current array of toasts if present.
-
-<b>Signature:</b>
-
-```typescript
-remove(toastOrId: Toast | string): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  toastOrId | <code>Toast &#124; string</code> | a [Toast](./kibana-plugin-public.toast.md) returned by [ToastsApi.add()](./kibana-plugin-public.toastsapi.add.md) or its id |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsApi](./kibana-plugin-public.toastsapi.md) &gt; [remove](./kibana-plugin-public.toastsapi.remove.md)
+
+## ToastsApi.remove() method
+
+Removes a toast from the current array of toasts if present.
+
+<b>Signature:</b>
+
+```typescript
+remove(toastOrId: Toast | string): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  toastOrId | <code>Toast &#124; string</code> | a [Toast](./kibana-plugin-public.toast.md) returned by [ToastsApi.add()](./kibana-plugin-public.toastsapi.add.md) or its id |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/public/kibana-plugin-public.toastssetup.md b/docs/development/core/public/kibana-plugin-public.toastssetup.md
index e06dd7f7093bb..ab3d7c45f3ce9 100644
--- a/docs/development/core/public/kibana-plugin-public.toastssetup.md
+++ b/docs/development/core/public/kibana-plugin-public.toastssetup.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsSetup](./kibana-plugin-public.toastssetup.md)
-
-## ToastsSetup type
-
-[IToasts](./kibana-plugin-public.itoasts.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastsSetup = IToasts;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsSetup](./kibana-plugin-public.toastssetup.md)
+
+## ToastsSetup type
+
+[IToasts](./kibana-plugin-public.itoasts.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastsSetup = IToasts;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.toastsstart.md b/docs/development/core/public/kibana-plugin-public.toastsstart.md
index 6e090dcdc64fb..3f8f27bd558b3 100644
--- a/docs/development/core/public/kibana-plugin-public.toastsstart.md
+++ b/docs/development/core/public/kibana-plugin-public.toastsstart.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsStart](./kibana-plugin-public.toastsstart.md)
-
-## ToastsStart type
-
-[IToasts](./kibana-plugin-public.itoasts.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ToastsStart = IToasts;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [ToastsStart](./kibana-plugin-public.toastsstart.md)
+
+## ToastsStart type
+
+[IToasts](./kibana-plugin-public.itoasts.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ToastsStart = IToasts;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
index 859b25cab4be8..c94a5ea4d4f9e 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [category](./kibana-plugin-public.uisettingsparams.category.md)
-
-## UiSettingsParams.category property
-
-used to group the configured setting in the UI
-
-<b>Signature:</b>
-
-```typescript
-category?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [category](./kibana-plugin-public.uisettingsparams.category.md)
+
+## UiSettingsParams.category property
+
+used to group the configured setting in the UI
+
+<b>Signature:</b>
+
+```typescript
+category?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
index 2364d34bdb8a3..928ba87ce8621 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.deprecation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md)
-
-## UiSettingsParams.deprecation property
-
-optional deprecation information. Used to generate a deprecation warning.
-
-<b>Signature:</b>
-
-```typescript
-deprecation?: DeprecationSettings;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md)
+
+## UiSettingsParams.deprecation property
+
+optional deprecation information. Used to generate a deprecation warning.
+
+<b>Signature:</b>
+
+```typescript
+deprecation?: DeprecationSettings;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
index 2707c0a456d96..13c7fb25411d0 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.description.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [description](./kibana-plugin-public.uisettingsparams.description.md)
-
-## UiSettingsParams.description property
-
-description provided to a user in UI
-
-<b>Signature:</b>
-
-```typescript
-description?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [description](./kibana-plugin-public.uisettingsparams.description.md)
+
+## UiSettingsParams.description property
+
+description provided to a user in UI
+
+<b>Signature:</b>
+
+```typescript
+description?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
index d8a966d3e69bf..6a368a6ae328c 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md)
-
-## UiSettingsParams interface
-
-UiSettings parameters defined by the plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-public.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
-|  [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
-|  [description](./kibana-plugin-public.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
-|  [name](./kibana-plugin-public.uisettingsparams.name.md) | <code>string</code> | title in the UI |
-|  [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
-|  [options](./kibana-plugin-public.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
-|  [readonly](./kibana-plugin-public.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
-|  [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
-|  [type](./kibana-plugin-public.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md) |
-|  [validation](./kibana-plugin-public.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
-|  [value](./kibana-plugin-public.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md)
+
+## UiSettingsParams interface
+
+UiSettings parameters defined by the plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-public.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
+|  [deprecation](./kibana-plugin-public.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
+|  [description](./kibana-plugin-public.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
+|  [name](./kibana-plugin-public.uisettingsparams.name.md) | <code>string</code> | title in the UI |
+|  [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
+|  [options](./kibana-plugin-public.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
+|  [readonly](./kibana-plugin-public.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
+|  [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
+|  [type](./kibana-plugin-public.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md) |
+|  [validation](./kibana-plugin-public.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
+|  [value](./kibana-plugin-public.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
+
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
index 4397c06c02c3d..91b13e8592129 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [name](./kibana-plugin-public.uisettingsparams.name.md)
-
-## UiSettingsParams.name property
-
-title in the UI
-
-<b>Signature:</b>
-
-```typescript
-name?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [name](./kibana-plugin-public.uisettingsparams.name.md)
+
+## UiSettingsParams.name property
+
+title in the UI
+
+<b>Signature:</b>
+
+```typescript
+name?: string;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
index e6e320ae8b09f..c2eb182308072 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.optionlabels.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md)
-
-## UiSettingsParams.optionLabels property
-
-text labels for 'select' type UI element
-
-<b>Signature:</b>
-
-```typescript
-optionLabels?: Record<string, string>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-public.uisettingsparams.optionlabels.md)
+
+## UiSettingsParams.optionLabels property
+
+text labels for 'select' type UI element
+
+<b>Signature:</b>
+
+```typescript
+optionLabels?: Record<string, string>;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
index e1a637281b44e..e3958027f42c9 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [options](./kibana-plugin-public.uisettingsparams.options.md)
-
-## UiSettingsParams.options property
-
-array of permitted values for this setting
-
-<b>Signature:</b>
-
-```typescript
-options?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [options](./kibana-plugin-public.uisettingsparams.options.md)
+
+## UiSettingsParams.options property
+
+array of permitted values for this setting
+
+<b>Signature:</b>
+
+```typescript
+options?: string[];
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
index 92fcb5eae5232..6efd2d557b7f0 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.readonly.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [readonly](./kibana-plugin-public.uisettingsparams.readonly.md)
-
-## UiSettingsParams.readonly property
-
-a flag indicating that value cannot be changed
-
-<b>Signature:</b>
-
-```typescript
-readonly?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [readonly](./kibana-plugin-public.uisettingsparams.readonly.md)
+
+## UiSettingsParams.readonly property
+
+a flag indicating that value cannot be changed
+
+<b>Signature:</b>
+
+```typescript
+readonly?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
index 7d4994208ff1f..0389b56d8e259 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.requirespagereload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md)
-
-## UiSettingsParams.requiresPageReload property
-
-a flag indicating whether new value applying requires page reloading
-
-<b>Signature:</b>
-
-```typescript
-requiresPageReload?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-public.uisettingsparams.requirespagereload.md)
+
+## UiSettingsParams.requiresPageReload property
+
+a flag indicating whether new value applying requires page reloading
+
+<b>Signature:</b>
+
+```typescript
+requiresPageReload?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
index e75dbce413ece..f3b20c90271a3 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [type](./kibana-plugin-public.uisettingsparams.type.md)
-
-## UiSettingsParams.type property
-
-defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
-
-<b>Signature:</b>
-
-```typescript
-type?: UiSettingsType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [type](./kibana-plugin-public.uisettingsparams.type.md)
+
+## UiSettingsParams.type property
+
+defines a type of UI element [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
+
+<b>Signature:</b>
+
+```typescript
+type?: UiSettingsType;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
index 21b1de399a332..c2202d07c6245 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.validation.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [validation](./kibana-plugin-public.uisettingsparams.validation.md)
-
-## UiSettingsParams.validation property
-
-<b>Signature:</b>
-
-```typescript
-validation?: ImageValidation | StringValidation;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [validation](./kibana-plugin-public.uisettingsparams.validation.md)
+
+## UiSettingsParams.validation property
+
+<b>Signature:</b>
+
+```typescript
+validation?: ImageValidation | StringValidation;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md b/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
index d489b4567ded0..31850514e03a7 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsparams.value.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [value](./kibana-plugin-public.uisettingsparams.value.md)
-
-## UiSettingsParams.value property
-
-default value to fall back to if a user doesn't provide any
-
-<b>Signature:</b>
-
-```typescript
-value?: SavedObjectAttribute;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsParams](./kibana-plugin-public.uisettingsparams.md) &gt; [value](./kibana-plugin-public.uisettingsparams.value.md)
+
+## UiSettingsParams.value property
+
+default value to fall back to if a user doesn't provide any
+
+<b>Signature:</b>
+
+```typescript
+value?: SavedObjectAttribute;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingsstate.md b/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
index 4754898f05cb0..f2b147b3e1a27 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingsstate.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsState](./kibana-plugin-public.uisettingsstate.md)
-
-## UiSettingsState interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsState 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsState](./kibana-plugin-public.uisettingsstate.md)
+
+## UiSettingsState interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsState 
+```
diff --git a/docs/development/core/public/kibana-plugin-public.uisettingstype.md b/docs/development/core/public/kibana-plugin-public.uisettingstype.md
index cb58152bd093e..d449236fe92d9 100644
--- a/docs/development/core/public/kibana-plugin-public.uisettingstype.md
+++ b/docs/development/core/public/kibana-plugin-public.uisettingstype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
-
-## UiSettingsType type
-
-UI element type to represent the settings.
-
-<b>Signature:</b>
-
-```typescript
-export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UiSettingsType](./kibana-plugin-public.uisettingstype.md)
+
+## UiSettingsType type
+
+UI element type to represent the settings.
+
+<b>Signature:</b>
+
+```typescript
+export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
+```
diff --git a/docs/development/core/public/kibana-plugin-public.unmountcallback.md b/docs/development/core/public/kibana-plugin-public.unmountcallback.md
index f44562120c9ee..b533358741723 100644
--- a/docs/development/core/public/kibana-plugin-public.unmountcallback.md
+++ b/docs/development/core/public/kibana-plugin-public.unmountcallback.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UnmountCallback](./kibana-plugin-public.unmountcallback.md)
-
-## UnmountCallback type
-
-A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type UnmountCallback = () => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UnmountCallback](./kibana-plugin-public.unmountcallback.md)
+
+## UnmountCallback type
+
+A function that will unmount the element previously mounted by the associated [MountPoint](./kibana-plugin-public.mountpoint.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type UnmountCallback = () => void;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
index f62ca61ba9142..75467967d9924 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.isoverridden.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md)
-
-## UserProvidedValues.isOverridden property
-
-<b>Signature:</b>
-
-```typescript
-isOverridden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md)
+
+## UserProvidedValues.isOverridden property
+
+<b>Signature:</b>
+
+```typescript
+isOverridden?: boolean;
+```
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
index 481bd36dd0ea6..1c23c4d7a4b62 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md)
-
-## UserProvidedValues interface
-
-Describes the values explicitly set by user.
-
-<b>Signature:</b>
-
-```typescript
-export interface UserProvidedValues<T = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
-|  [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md) | <code>T</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md)
+
+## UserProvidedValues interface
+
+Describes the values explicitly set by user.
+
+<b>Signature:</b>
+
+```typescript
+export interface UserProvidedValues<T = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isOverridden](./kibana-plugin-public.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
+|  [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md) | <code>T</code> |  |
+
diff --git a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
index 132409ad989b1..1f7121177b07e 100644
--- a/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
+++ b/docs/development/core/public/kibana-plugin-public.userprovidedvalues.uservalue.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md)
-
-## UserProvidedValues.userValue property
-
-<b>Signature:</b>
-
-```typescript
-userValue?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-public](./kibana-plugin-public.md) &gt; [UserProvidedValues](./kibana-plugin-public.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-public.userprovidedvalues.uservalue.md)
+
+## UserProvidedValues.userValue property
+
+<b>Signature:</b>
+
+```typescript
+userValue?: T;
+```
diff --git a/docs/development/core/server/index.md b/docs/development/core/server/index.md
index da1d76853f43d..2d8eb26a689c6 100644
--- a/docs/development/core/server/index.md
+++ b/docs/development/core/server/index.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md)
-
-## API Reference
-
-## Packages
-
-|  Package | Description |
-|  --- | --- |
-|  [kibana-plugin-server](./kibana-plugin-server.md) | The Kibana Core APIs for server-side plugins.<!-- -->A plugin requires a <code>kibana.json</code> file at it's root directory that follows  to define static plugin information required to load the plugin.<!-- -->A plugin's <code>server/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md)
+
+## API Reference
+
+## Packages
+
+|  Package | Description |
+|  --- | --- |
+|  [kibana-plugin-server](./kibana-plugin-server.md) | The Kibana Core APIs for server-side plugins.<!-- -->A plugin requires a <code>kibana.json</code> file at it's root directory that follows  to define static plugin information required to load the plugin.<!-- -->A plugin's <code>server/index</code> file must contain a named import, <code>plugin</code>, that implements  which returns an object that implements .<!-- -->The plugin integrates with the core system via lifecycle events: <code>setup</code>, <code>start</code>, and <code>stop</code>. In each lifecycle method, the plugin will receive the corresponding core services available (either  or ) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.apicaller.md b/docs/development/core/server/kibana-plugin-server.apicaller.md
index 9fd50ea5c4b66..4e22a702ecbbe 100644
--- a/docs/development/core/server/kibana-plugin-server.apicaller.md
+++ b/docs/development/core/server/kibana-plugin-server.apicaller.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [APICaller](./kibana-plugin-server.apicaller.md)
-
-## APICaller interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface APICaller 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [APICaller](./kibana-plugin-server.apicaller.md)
+
+## APICaller interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface APICaller 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
index 307cd3bb5ae21..6777ab6caeca2 100644
--- a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
+++ b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.indices.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) &gt; [indices](./kibana-plugin-server.assistanceapiresponse.indices.md)
-
-## AssistanceAPIResponse.indices property
-
-<b>Signature:</b>
-
-```typescript
-indices: {
-        [indexName: string]: {
-            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) &gt; [indices](./kibana-plugin-server.assistanceapiresponse.indices.md)
+
+## AssistanceAPIResponse.indices property
+
+<b>Signature:</b>
+
+```typescript
+indices: {
+        [indexName: string]: {
+            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;
+        };
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
index 398fe62ce2479..9322b4c75837c 100644
--- a/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.assistanceapiresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md)
-
-## AssistanceAPIResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AssistanceAPIResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [indices](./kibana-plugin-server.assistanceapiresponse.indices.md) | <code>{</code><br/><code>        [indexName: string]: {</code><br/><code>            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;</code><br/><code>        };</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md)
+
+## AssistanceAPIResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AssistanceAPIResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [indices](./kibana-plugin-server.assistanceapiresponse.indices.md) | <code>{</code><br/><code>        [indexName: string]: {</code><br/><code>            action_required: MIGRATION_ASSISTANCE_INDEX_ACTION;</code><br/><code>        };</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
index cf7ca56c8a75e..c37d47f0c4963 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md)
-
-## AssistantAPIClientParams interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface AssistantAPIClientParams extends GenericParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.assistantapiclientparams.method.md) | <code>'GET'</code> |  |
-|  [path](./kibana-plugin-server.assistantapiclientparams.path.md) | <code>'/_migration/assistance'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md)
+
+## AssistantAPIClientParams interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface AssistantAPIClientParams extends GenericParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.assistantapiclientparams.method.md) | <code>'GET'</code> |  |
+|  [path](./kibana-plugin-server.assistantapiclientparams.path.md) | <code>'/_migration/assistance'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
index feeb4403ca0a3..6929bf9ab3d1c 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [method](./kibana-plugin-server.assistantapiclientparams.method.md)
-
-## AssistantAPIClientParams.method property
-
-<b>Signature:</b>
-
-```typescript
-method: 'GET';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [method](./kibana-plugin-server.assistantapiclientparams.method.md)
+
+## AssistantAPIClientParams.method property
+
+<b>Signature:</b>
+
+```typescript
+method: 'GET';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
index 3b82c477993e0..4889f41d613eb 100644
--- a/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
+++ b/docs/development/core/server/kibana-plugin-server.assistantapiclientparams.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [path](./kibana-plugin-server.assistantapiclientparams.path.md)
-
-## AssistantAPIClientParams.path property
-
-<b>Signature:</b>
-
-```typescript
-path: '/_migration/assistance';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) &gt; [path](./kibana-plugin-server.assistantapiclientparams.path.md)
+
+## AssistantAPIClientParams.path property
+
+<b>Signature:</b>
+
+```typescript
+path: '/_migration/assistance';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authenticated.md b/docs/development/core/server/kibana-plugin-server.authenticated.md
index d955f1f32f1f7..aeb526bc3552b 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticated.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md)
-
-## Authenticated interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface Authenticated extends AuthResultParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.authenticated.type.md) | <code>AuthResultType.authenticated</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md)
+
+## Authenticated interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface Authenticated extends AuthResultParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.authenticated.type.md) | <code>AuthResultType.authenticated</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authenticated.type.md b/docs/development/core/server/kibana-plugin-server.authenticated.type.md
index 08a73e812d157..a432fad9d5730 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticated.type.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticated.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md) &gt; [type](./kibana-plugin-server.authenticated.type.md)
-
-## Authenticated.type property
-
-<b>Signature:</b>
-
-```typescript
-type: AuthResultType.authenticated;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Authenticated](./kibana-plugin-server.authenticated.md) &gt; [type](./kibana-plugin-server.authenticated.type.md)
+
+## Authenticated.type property
+
+<b>Signature:</b>
+
+```typescript
+type: AuthResultType.authenticated;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authenticationhandler.md b/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
index ff60e6e811ed6..ed5eb6bc5e36d 100644
--- a/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.authenticationhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)
-
-## AuthenticationHandler type
-
-See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthenticationHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: AuthToolkit) => AuthResult | IKibanaResponse | Promise<AuthResult | IKibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)
+
+## AuthenticationHandler type
+
+See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthenticationHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: AuthToolkit) => AuthResult | IKibanaResponse | Promise<AuthResult | IKibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authheaders.md b/docs/development/core/server/kibana-plugin-server.authheaders.md
index bdb7cda2fa304..7540157926edc 100644
--- a/docs/development/core/server/kibana-plugin-server.authheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthHeaders](./kibana-plugin-server.authheaders.md)
-
-## AuthHeaders type
-
-Auth Headers map
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthHeaders = Record<string, string | string[]>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthHeaders](./kibana-plugin-server.authheaders.md)
+
+## AuthHeaders type
+
+Auth Headers map
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthHeaders = Record<string, string | string[]>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresult.md b/docs/development/core/server/kibana-plugin-server.authresult.md
index 5d1bdbc8e7118..8739c4899bd02 100644
--- a/docs/development/core/server/kibana-plugin-server.authresult.md
+++ b/docs/development/core/server/kibana-plugin-server.authresult.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResult](./kibana-plugin-server.authresult.md)
-
-## AuthResult type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type AuthResult = Authenticated;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResult](./kibana-plugin-server.authresult.md)
+
+## AuthResult type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type AuthResult = Authenticated;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.md b/docs/development/core/server/kibana-plugin-server.authresultparams.md
index b098fe278d850..55b247f21f5a9 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md)
-
-## AuthResultParams interface
-
-Result of an incoming request authentication.
-
-<b>Signature:</b>
-
-```typescript
-export interface AuthResultParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user. |
-|  [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed. |
-|  [state](./kibana-plugin-server.authresultparams.state.md) | <code>Record&lt;string, any&gt;</code> | Data to associate with an incoming request. Any downstream plugin may get access to the data. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md)
+
+## AuthResultParams interface
+
+Result of an incoming request authentication.
+
+<b>Signature:</b>
+
+```typescript
+export interface AuthResultParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user. |
+|  [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md) | <code>AuthHeaders</code> | Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed. |
+|  [state](./kibana-plugin-server.authresultparams.state.md) | <code>Record&lt;string, any&gt;</code> | Data to associate with an incoming request. Any downstream plugin may get access to the data. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md b/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
index 0fda032b64f98..a30f630de27cc 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.requestheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md)
-
-## AuthResultParams.requestHeaders property
-
-Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user.
-
-<b>Signature:</b>
-
-```typescript
-requestHeaders?: AuthHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [requestHeaders](./kibana-plugin-server.authresultparams.requestheaders.md)
+
+## AuthResultParams.requestHeaders property
+
+Auth specific headers to attach to a request object. Used to perform a request to Elasticsearch on behalf of an authenticated user.
+
+<b>Signature:</b>
+
+```typescript
+requestHeaders?: AuthHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md b/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
index c14feb25801d1..112c1277bbbed 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.responseheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md)
-
-## AuthResultParams.responseHeaders property
-
-Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed.
-
-<b>Signature:</b>
-
-```typescript
-responseHeaders?: AuthHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [responseHeaders](./kibana-plugin-server.authresultparams.responseheaders.md)
+
+## AuthResultParams.responseHeaders property
+
+Auth specific headers to attach to a response object. Used to send back authentication mechanism related headers to a client when needed.
+
+<b>Signature:</b>
+
+```typescript
+responseHeaders?: AuthHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresultparams.state.md b/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
index 8ca3da20a9c22..085cbe0c3c3fa 100644
--- a/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
+++ b/docs/development/core/server/kibana-plugin-server.authresultparams.state.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [state](./kibana-plugin-server.authresultparams.state.md)
-
-## AuthResultParams.state property
-
-Data to associate with an incoming request. Any downstream plugin may get access to the data.
-
-<b>Signature:</b>
-
-```typescript
-state?: Record<string, any>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultParams](./kibana-plugin-server.authresultparams.md) &gt; [state](./kibana-plugin-server.authresultparams.state.md)
+
+## AuthResultParams.state property
+
+Data to associate with an incoming request. Any downstream plugin may get access to the data.
+
+<b>Signature:</b>
+
+```typescript
+state?: Record<string, any>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authresulttype.md b/docs/development/core/server/kibana-plugin-server.authresulttype.md
index e8962cb14d198..61a98ee5e7b11 100644
--- a/docs/development/core/server/kibana-plugin-server.authresulttype.md
+++ b/docs/development/core/server/kibana-plugin-server.authresulttype.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultType](./kibana-plugin-server.authresulttype.md)
-
-## AuthResultType enum
-
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AuthResultType 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  authenticated | <code>&quot;authenticated&quot;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthResultType](./kibana-plugin-server.authresulttype.md)
+
+## AuthResultType enum
+
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AuthResultType 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  authenticated | <code>&quot;authenticated&quot;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authstatus.md b/docs/development/core/server/kibana-plugin-server.authstatus.md
index e59ade4f73e38..eb350c794d6d6 100644
--- a/docs/development/core/server/kibana-plugin-server.authstatus.md
+++ b/docs/development/core/server/kibana-plugin-server.authstatus.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthStatus](./kibana-plugin-server.authstatus.md)
-
-## AuthStatus enum
-
-Status indicating an outcome of the authentication.
-
-<b>Signature:</b>
-
-```typescript
-export declare enum AuthStatus 
-```
-
-## Enumeration Members
-
-|  Member | Value | Description |
-|  --- | --- | --- |
-|  authenticated | <code>&quot;authenticated&quot;</code> | <code>auth</code> interceptor successfully authenticated a user |
-|  unauthenticated | <code>&quot;unauthenticated&quot;</code> | <code>auth</code> interceptor failed user authentication |
-|  unknown | <code>&quot;unknown&quot;</code> | <code>auth</code> interceptor has not been registered |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthStatus](./kibana-plugin-server.authstatus.md)
+
+## AuthStatus enum
+
+Status indicating an outcome of the authentication.
+
+<b>Signature:</b>
+
+```typescript
+export declare enum AuthStatus 
+```
+
+## Enumeration Members
+
+|  Member | Value | Description |
+|  --- | --- | --- |
+|  authenticated | <code>&quot;authenticated&quot;</code> | <code>auth</code> interceptor successfully authenticated a user |
+|  unauthenticated | <code>&quot;unauthenticated&quot;</code> | <code>auth</code> interceptor failed user authentication |
+|  unknown | <code>&quot;unknown&quot;</code> | <code>auth</code> interceptor has not been registered |
+
diff --git a/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md b/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
index 54d78c840ed5a..47ba021602b22 100644
--- a/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.authtoolkit.authenticated.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md) &gt; [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md)
-
-## AuthToolkit.authenticated property
-
-Authentication is successful with given credentials, allow request to pass through
-
-<b>Signature:</b>
-
-```typescript
-authenticated: (data?: AuthResultParams) => AuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md) &gt; [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md)
+
+## AuthToolkit.authenticated property
+
+Authentication is successful with given credentials, allow request to pass through
+
+<b>Signature:</b>
+
+```typescript
+authenticated: (data?: AuthResultParams) => AuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.authtoolkit.md b/docs/development/core/server/kibana-plugin-server.authtoolkit.md
index 0c030ddce4ec3..bc7003c5a68f3 100644
--- a/docs/development/core/server/kibana-plugin-server.authtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.authtoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md)
-
-## AuthToolkit interface
-
-A tool set defining an outcome of Auth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface AuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md) | <code>(data?: AuthResultParams) =&gt; AuthResult</code> | Authentication is successful with given credentials, allow request to pass through |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [AuthToolkit](./kibana-plugin-server.authtoolkit.md)
+
+## AuthToolkit interface
+
+A tool set defining an outcome of Auth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface AuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authenticated](./kibana-plugin-server.authtoolkit.authenticated.md) | <code>(data?: AuthResultParams) =&gt; AuthResult</code> | Authentication is successful with given credentials, allow request to pass through |
+
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.get.md b/docs/development/core/server/kibana-plugin-server.basepath.get.md
index a20bc1a4e3174..4dbbb1e5bd7a3 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.get.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [get](./kibana-plugin-server.basepath.get.md)
-
-## BasePath.get property
-
-returns `basePath` value, specific for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-get: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [get](./kibana-plugin-server.basepath.get.md)
+
+## BasePath.get property
+
+returns `basePath` value, specific for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+get: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.md b/docs/development/core/server/kibana-plugin-server.basepath.md
index 63aeb7f711d97..d7ee8e5d12e65 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md)
-
-## BasePath class
-
-Access or manipulate the Kibana base path
-
-<b>Signature:</b>
-
-```typescript
-export declare class BasePath 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `BasePath` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [get](./kibana-plugin-server.basepath.get.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;) =&gt; string</code> | returns <code>basePath</code> value, specific for an incoming request. |
-|  [prepend](./kibana-plugin-server.basepath.prepend.md) |  | <code>(path: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
-|  [remove](./kibana-plugin-server.basepath.remove.md) |  | <code>(path: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
-|  [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md) |  | <code>string</code> | returns the server's basePath<!-- -->See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request |
-|  [set](./kibana-plugin-server.basepath.set.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;, requestSpecificBasePath: string) =&gt; void</code> | sets <code>basePath</code> value, specific for an incoming request. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md)
+
+## BasePath class
+
+Access or manipulate the Kibana base path
+
+<b>Signature:</b>
+
+```typescript
+export declare class BasePath 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `BasePath` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [get](./kibana-plugin-server.basepath.get.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;) =&gt; string</code> | returns <code>basePath</code> value, specific for an incoming request. |
+|  [prepend](./kibana-plugin-server.basepath.prepend.md) |  | <code>(path: string) =&gt; string</code> | Prepends <code>path</code> with the basePath. |
+|  [remove](./kibana-plugin-server.basepath.remove.md) |  | <code>(path: string) =&gt; string</code> | Removes the prepended basePath from the <code>path</code>. |
+|  [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md) |  | <code>string</code> | returns the server's basePath<!-- -->See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request |
+|  [set](./kibana-plugin-server.basepath.set.md) |  | <code>(request: LegacyRequest &#124; KibanaRequest&lt;unknown, unknown, unknown, any&gt;, requestSpecificBasePath: string) =&gt; void</code> | sets <code>basePath</code> value, specific for an incoming request. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.prepend.md b/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
index 9a615dfe80f32..17f3b8bf80e61 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.prepend.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [prepend](./kibana-plugin-server.basepath.prepend.md)
-
-## BasePath.prepend property
-
-Prepends `path` with the basePath.
-
-<b>Signature:</b>
-
-```typescript
-prepend: (path: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [prepend](./kibana-plugin-server.basepath.prepend.md)
+
+## BasePath.prepend property
+
+Prepends `path` with the basePath.
+
+<b>Signature:</b>
+
+```typescript
+prepend: (path: string) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.remove.md b/docs/development/core/server/kibana-plugin-server.basepath.remove.md
index 8fcfbc2b921d3..25844682623e3 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.remove.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [remove](./kibana-plugin-server.basepath.remove.md)
-
-## BasePath.remove property
-
-Removes the prepended basePath from the `path`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-remove: (path: string) => string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [remove](./kibana-plugin-server.basepath.remove.md)
+
+## BasePath.remove property
+
+Removes the prepended basePath from the `path`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+remove: (path: string) => string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md b/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
index d7e45a92dba6d..35a3b67de7a73 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.serverbasepath.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md)
-
-## BasePath.serverBasePath property
-
-returns the server's basePath
-
-See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request
-
-<b>Signature:</b>
-
-```typescript
-readonly serverBasePath: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [serverBasePath](./kibana-plugin-server.basepath.serverbasepath.md)
+
+## BasePath.serverBasePath property
+
+returns the server's basePath
+
+See [BasePath.get](./kibana-plugin-server.basepath.get.md) for getting the basePath value for a specific request
+
+<b>Signature:</b>
+
+```typescript
+readonly serverBasePath: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.basepath.set.md b/docs/development/core/server/kibana-plugin-server.basepath.set.md
index ac08baa0bb99e..479a96aa0347c 100644
--- a/docs/development/core/server/kibana-plugin-server.basepath.set.md
+++ b/docs/development/core/server/kibana-plugin-server.basepath.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [set](./kibana-plugin-server.basepath.set.md)
-
-## BasePath.set property
-
-sets `basePath` value, specific for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-set: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>, requestSpecificBasePath: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [BasePath](./kibana-plugin-server.basepath.md) &gt; [set](./kibana-plugin-server.basepath.set.md)
+
+## BasePath.set property
+
+sets `basePath` value, specific for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+set: (request: LegacyRequest | KibanaRequest<unknown, unknown, unknown, any>, requestSpecificBasePath: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.md b/docs/development/core/server/kibana-plugin-server.callapioptions.md
index ffdf638b236bb..4a73e5631a71c 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md)
-
-## CallAPIOptions interface
-
-The set of options that defines how API call should be made and result be processed.
-
-<b>Signature:</b>
-
-```typescript
-export interface CallAPIOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [signal](./kibana-plugin-server.callapioptions.signal.md) | <code>AbortSignal</code> | A signal object that allows you to abort the request via an AbortController object. |
-|  [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md) | <code>boolean</code> | Indicates whether <code>401 Unauthorized</code> errors returned from the Elasticsearch API should be wrapped into <code>Boom</code> error instances with properly set <code>WWW-Authenticate</code> header that could have been returned by the API itself. If API didn't specify that then <code>Basic realm=&quot;Authorization Required&quot;</code> is used as <code>WWW-Authenticate</code>. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md)
+
+## CallAPIOptions interface
+
+The set of options that defines how API call should be made and result be processed.
+
+<b>Signature:</b>
+
+```typescript
+export interface CallAPIOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [signal](./kibana-plugin-server.callapioptions.signal.md) | <code>AbortSignal</code> | A signal object that allows you to abort the request via an AbortController object. |
+|  [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md) | <code>boolean</code> | Indicates whether <code>401 Unauthorized</code> errors returned from the Elasticsearch API should be wrapped into <code>Boom</code> error instances with properly set <code>WWW-Authenticate</code> header that could have been returned by the API itself. If API didn't specify that then <code>Basic realm=&quot;Authorization Required&quot;</code> is used as <code>WWW-Authenticate</code>. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md b/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
index 402ed0ca8e34c..a442da87e590f 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.signal.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [signal](./kibana-plugin-server.callapioptions.signal.md)
-
-## CallAPIOptions.signal property
-
-A signal object that allows you to abort the request via an AbortController object.
-
-<b>Signature:</b>
-
-```typescript
-signal?: AbortSignal;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [signal](./kibana-plugin-server.callapioptions.signal.md)
+
+## CallAPIOptions.signal property
+
+A signal object that allows you to abort the request via an AbortController object.
+
+<b>Signature:</b>
+
+```typescript
+signal?: AbortSignal;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md b/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
index 296d769533950..6544fa482c57f 100644
--- a/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
+++ b/docs/development/core/server/kibana-plugin-server.callapioptions.wrap401errors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md)
-
-## CallAPIOptions.wrap401Errors property
-
-Indicates whether `401 Unauthorized` errors returned from the Elasticsearch API should be wrapped into `Boom` error instances with properly set `WWW-Authenticate` header that could have been returned by the API itself. If API didn't specify that then `Basic realm="Authorization Required"` is used as `WWW-Authenticate`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-wrap401Errors?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CallAPIOptions](./kibana-plugin-server.callapioptions.md) &gt; [wrap401Errors](./kibana-plugin-server.callapioptions.wrap401errors.md)
+
+## CallAPIOptions.wrap401Errors property
+
+Indicates whether `401 Unauthorized` errors returned from the Elasticsearch API should be wrapped into `Boom` error instances with properly set `WWW-Authenticate` header that could have been returned by the API itself. If API didn't specify that then `Basic realm="Authorization Required"` is used as `WWW-Authenticate`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+wrap401Errors?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md b/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
index 4eb012c78f0cb..92224b47c136c 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.catalogue.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [catalogue](./kibana-plugin-server.capabilities.catalogue.md)
-
-## Capabilities.catalogue property
-
-Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
-
-<b>Signature:</b>
-
-```typescript
-catalogue: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [catalogue](./kibana-plugin-server.capabilities.catalogue.md)
+
+## Capabilities.catalogue property
+
+Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options.
+
+<b>Signature:</b>
+
+```typescript
+catalogue: Record<string, boolean>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.management.md b/docs/development/core/server/kibana-plugin-server.capabilities.management.md
index d917c81dc3720..d995324a6d732 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.management.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.management.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [management](./kibana-plugin-server.capabilities.management.md)
-
-## Capabilities.management property
-
-Management section capabilities.
-
-<b>Signature:</b>
-
-```typescript
-management: {
-        [sectionId: string]: Record<string, boolean>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [management](./kibana-plugin-server.capabilities.management.md)
+
+## Capabilities.management property
+
+Management section capabilities.
+
+<b>Signature:</b>
+
+```typescript
+management: {
+        [sectionId: string]: Record<string, boolean>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.md b/docs/development/core/server/kibana-plugin-server.capabilities.md
index 031282b9733ac..586b3cac05b19 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md)
-
-## Capabilities interface
-
-The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
-
-<b>Signature:</b>
-
-```typescript
-export interface Capabilities 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [catalogue](./kibana-plugin-server.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
-|  [management](./kibana-plugin-server.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
-|  [navLinks](./kibana-plugin-server.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md)
+
+## Capabilities interface
+
+The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled.
+
+<b>Signature:</b>
+
+```typescript
+export interface Capabilities 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [catalogue](./kibana-plugin-server.capabilities.catalogue.md) | <code>Record&lt;string, boolean&gt;</code> | Catalogue capabilities. Catalogue entries drive the visibility of the Kibana homepage options. |
+|  [management](./kibana-plugin-server.capabilities.management.md) | <code>{</code><br/><code>        [sectionId: string]: Record&lt;string, boolean&gt;;</code><br/><code>    }</code> | Management section capabilities. |
+|  [navLinks](./kibana-plugin-server.capabilities.navlinks.md) | <code>Record&lt;string, boolean&gt;</code> | Navigation link capabilities. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md b/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
index a1612ea840fbf..85287852efc6b 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilities.navlinks.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [navLinks](./kibana-plugin-server.capabilities.navlinks.md)
-
-## Capabilities.navLinks property
-
-Navigation link capabilities.
-
-<b>Signature:</b>
-
-```typescript
-navLinks: Record<string, boolean>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Capabilities](./kibana-plugin-server.capabilities.md) &gt; [navLinks](./kibana-plugin-server.capabilities.navlinks.md)
+
+## Capabilities.navLinks property
+
+Navigation link capabilities.
+
+<b>Signature:</b>
+
+```typescript
+navLinks: Record<string, boolean>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md b/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
index 66e5d256ada66..a03cbab7e621d 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md)
-
-## CapabilitiesProvider type
-
-See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type CapabilitiesProvider = () => Partial<Capabilities>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md)
+
+## CapabilitiesProvider type
+
+See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type CapabilitiesProvider = () => Partial<Capabilities>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
index 27c42fe75e751..53153b2bbb887 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-## CapabilitiesSetup interface
-
-APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.
-
-Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the `registerProvider` method.
-
-Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the `registerSwitcher` method.
-
-Refers to the methods documentation for complete description and examples.
-
-<b>Signature:</b>
-
-```typescript
-export interface CapabilitiesSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [registerProvider(provider)](./kibana-plugin-server.capabilitiessetup.registerprovider.md) | Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them. |
-|  [registerSwitcher(switcher)](./kibana-plugin-server.capabilitiessetup.registerswitcher.md) | Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.<!-- -->A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+## CapabilitiesSetup interface
+
+APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.
+
+Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the `registerProvider` method.
+
+Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the `registerSwitcher` method.
+
+Refers to the methods documentation for complete description and examples.
+
+<b>Signature:</b>
+
+```typescript
+export interface CapabilitiesSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [registerProvider(provider)](./kibana-plugin-server.capabilitiessetup.registerprovider.md) | Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them. |
+|  [registerSwitcher(switcher)](./kibana-plugin-server.capabilitiessetup.registerswitcher.md) | Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.<!-- -->A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
index 750913ee35895..c0e7fa50eb91d 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerprovider.md
@@ -1,46 +1,46 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerProvider](./kibana-plugin-server.capabilitiessetup.registerprovider.md)
-
-## CapabilitiesSetup.registerProvider() method
-
-Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them.
-
-<b>Signature:</b>
-
-```typescript
-registerProvider(provider: CapabilitiesProvider): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  provider | <code>CapabilitiesProvider</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to register a plugin's capabilities during setup
-
-```ts
-// my-plugin/server/plugin.ts
-public setup(core: CoreSetup, deps: {}) {
-   core.capabilities.registerProvider(() => {
-     return {
-       catalogue: {
-         myPlugin: true,
-       },
-       myPlugin: {
-         someFeature: true,
-         featureDisabledByDefault: false,
-       },
-     }
-   });
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerProvider](./kibana-plugin-server.capabilitiessetup.registerprovider.md)
+
+## CapabilitiesSetup.registerProvider() method
+
+Register a [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) to be used to provide [Capabilities](./kibana-plugin-server.capabilities.md) when resolving them.
+
+<b>Signature:</b>
+
+```typescript
+registerProvider(provider: CapabilitiesProvider): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  provider | <code>CapabilitiesProvider</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to register a plugin's capabilities during setup
+
+```ts
+// my-plugin/server/plugin.ts
+public setup(core: CoreSetup, deps: {}) {
+   core.capabilities.registerProvider(() => {
+     return {
+       catalogue: {
+         myPlugin: true,
+       },
+       myPlugin: {
+         someFeature: true,
+         featureDisabledByDefault: false,
+       },
+     }
+   });
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
index fbaa2959c635c..948d256e9aa73 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiessetup.registerswitcher.md
@@ -1,47 +1,47 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerSwitcher](./kibana-plugin-server.capabilitiessetup.registerswitcher.md)
-
-## CapabilitiesSetup.registerSwitcher() method
-
-Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.
-
-A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored.
-
-<b>Signature:</b>
-
-```typescript
-registerSwitcher(switcher: CapabilitiesSwitcher): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  switcher | <code>CapabilitiesSwitcher</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-How to restrict some capabilities
-
-```ts
-// my-plugin/server/plugin.ts
-public setup(core: CoreSetup, deps: {}) {
-   core.capabilities.registerSwitcher((request, capabilities) => {
-     if(myPluginApi.shouldRestrictSomePluginBecauseOf(request)) {
-       return {
-         somePlugin: {
-           featureEnabledByDefault: false // `featureEnabledByDefault` will be disabled. All other capabilities will remain unchanged.
-         }
-       }
-     }
-     return {}; // All capabilities will remain unchanged.
-   });
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) &gt; [registerSwitcher](./kibana-plugin-server.capabilitiessetup.registerswitcher.md)
+
+## CapabilitiesSetup.registerSwitcher() method
+
+Register a [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) to be used to change the default state of the [Capabilities](./kibana-plugin-server.capabilities.md) entries when resolving them.
+
+A capabilities switcher can only change the state of existing capabilities. Capabilities added or removed when invoking the switcher will be ignored.
+
+<b>Signature:</b>
+
+```typescript
+registerSwitcher(switcher: CapabilitiesSwitcher): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  switcher | <code>CapabilitiesSwitcher</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+How to restrict some capabilities
+
+```ts
+// my-plugin/server/plugin.ts
+public setup(core: CoreSetup, deps: {}) {
+   core.capabilities.registerSwitcher((request, capabilities) => {
+     if(myPluginApi.shouldRestrictSomePluginBecauseOf(request)) {
+       return {
+         somePlugin: {
+           featureEnabledByDefault: false // `featureEnabledByDefault` will be disabled. All other capabilities will remain unchanged.
+         }
+       }
+     }
+     return {}; // All capabilities will remain unchanged.
+   });
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
index 55cc1aed76b5b..1f6eda9dcb392 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
-
-## CapabilitiesStart interface
-
-APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface CapabilitiesStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [resolveCapabilities(request)](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md) | Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
+
+## CapabilitiesStart interface
+
+APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface CapabilitiesStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [resolveCapabilities(request)](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md) | Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request |
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
index 95b751dd4fc95..43b6f6059eb0d 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesstart.resolvecapabilities.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) &gt; [resolveCapabilities](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md)
-
-## CapabilitiesStart.resolveCapabilities() method
-
-Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request
-
-<b>Signature:</b>
-
-```typescript
-resolveCapabilities(request: KibanaRequest): Promise<Capabilities>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>KibanaRequest</code> |  |
-
-<b>Returns:</b>
-
-`Promise<Capabilities>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) &gt; [resolveCapabilities](./kibana-plugin-server.capabilitiesstart.resolvecapabilities.md)
+
+## CapabilitiesStart.resolveCapabilities() method
+
+Resolve the [Capabilities](./kibana-plugin-server.capabilities.md) to be used for given request
+
+<b>Signature:</b>
+
+```typescript
+resolveCapabilities(request: KibanaRequest): Promise<Capabilities>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>KibanaRequest</code> |  |
+
+<b>Returns:</b>
+
+`Promise<Capabilities>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md b/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
index dd6af54376896..5e5a5c63ae341 100644
--- a/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
+++ b/docs/development/core/server/kibana-plugin-server.capabilitiesswitcher.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md)
-
-## CapabilitiesSwitcher type
-
-See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type CapabilitiesSwitcher = (request: KibanaRequest, uiCapabilities: Capabilities) => Partial<Capabilities> | Promise<Partial<Capabilities>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md)
+
+## CapabilitiesSwitcher type
+
+See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type CapabilitiesSwitcher = (request: KibanaRequest, uiCapabilities: Capabilities) => Partial<Capabilities> | Promise<Partial<Capabilities>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md b/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
index 252991affbc3c..5b76a0e43317e 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [(constructor)](./kibana-plugin-server.clusterclient._constructor_.md)
-
-## ClusterClient.(constructor)
-
-Constructs a new instance of the `ClusterClient` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(config: ElasticsearchClientConfig, log: Logger, getAuthHeaders?: GetAuthHeaders);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  config | <code>ElasticsearchClientConfig</code> |  |
-|  log | <code>Logger</code> |  |
-|  getAuthHeaders | <code>GetAuthHeaders</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [(constructor)](./kibana-plugin-server.clusterclient._constructor_.md)
+
+## ClusterClient.(constructor)
+
+Constructs a new instance of the `ClusterClient` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(config: ElasticsearchClientConfig, log: Logger, getAuthHeaders?: GetAuthHeaders);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  config | <code>ElasticsearchClientConfig</code> |  |
+|  log | <code>Logger</code> |  |
+|  getAuthHeaders | <code>GetAuthHeaders</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md b/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
index bb1f481c9ef4f..594a05e8dfe2e 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.asscoped.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [asScoped](./kibana-plugin-server.clusterclient.asscoped.md)
-
-## ClusterClient.asScoped() method
-
-Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional `callAsCurrentUser` method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed.
-
-<b>Signature:</b>
-
-```typescript
-asScoped(request?: ScopeableRequest): IScopedClusterClient;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>ScopeableRequest</code> | Request the <code>IScopedClusterClient</code> instance will be scoped to. Supports request optionality, Legacy.Request &amp; FakeRequest for BWC with LegacyPlatform |
-
-<b>Returns:</b>
-
-`IScopedClusterClient`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [asScoped](./kibana-plugin-server.clusterclient.asscoped.md)
+
+## ClusterClient.asScoped() method
+
+Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional `callAsCurrentUser` method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed.
+
+<b>Signature:</b>
+
+```typescript
+asScoped(request?: ScopeableRequest): IScopedClusterClient;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>ScopeableRequest</code> | Request the <code>IScopedClusterClient</code> instance will be scoped to. Supports request optionality, Legacy.Request &amp; FakeRequest for BWC with LegacyPlatform |
+
+<b>Returns:</b>
+
+`IScopedClusterClient`
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md b/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
index 7afb6afa4bc3b..263bb6308f471 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.callasinternaluser.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md)
-
-## ClusterClient.callAsInternalUser property
-
-Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsInternalUser: APICaller;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md)
+
+## ClusterClient.callAsInternalUser property
+
+Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsInternalUser: APICaller;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.close.md b/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
index 6030f4372e8e0..7b0efb9c0b2e9 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.close.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [close](./kibana-plugin-server.clusterclient.close.md)
-
-## ClusterClient.close() method
-
-Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API.
-
-<b>Signature:</b>
-
-```typescript
-close(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md) &gt; [close](./kibana-plugin-server.clusterclient.close.md)
+
+## ClusterClient.close() method
+
+Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API.
+
+<b>Signature:</b>
+
+```typescript
+close(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.clusterclient.md b/docs/development/core/server/kibana-plugin-server.clusterclient.md
index d547b846e65b7..65c6c33304d33 100644
--- a/docs/development/core/server/kibana-plugin-server.clusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.clusterclient.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md)
-
-## ClusterClient class
-
-Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ClusterClient implements IClusterClient 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(config, log, getAuthHeaders)](./kibana-plugin-server.clusterclient._constructor_.md) |  | Constructs a new instance of the <code>ClusterClient</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md) |  | <code>APICaller</code> | Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [asScoped(request)](./kibana-plugin-server.clusterclient.asscoped.md) |  | Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional <code>callAsCurrentUser</code> method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed. |
-|  [close()](./kibana-plugin-server.clusterclient.close.md) |  | Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ClusterClient](./kibana-plugin-server.clusterclient.md)
+
+## ClusterClient class
+
+Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ClusterClient implements IClusterClient 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(config, log, getAuthHeaders)](./kibana-plugin-server.clusterclient._constructor_.md) |  | Constructs a new instance of the <code>ClusterClient</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [callAsInternalUser](./kibana-plugin-server.clusterclient.callasinternaluser.md) |  | <code>APICaller</code> | Calls specified endpoint with provided clientParams on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [asScoped(request)](./kibana-plugin-server.clusterclient.asscoped.md) |  | Creates an instance of [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) based on the configuration the current cluster client that exposes additional <code>callAsCurrentUser</code> method scoped to the provided req. Consumers shouldn't worry about closing scoped client instances, these will be automatically closed as soon as the original cluster client isn't needed anymore and closed. |
+|  [close()](./kibana-plugin-server.clusterclient.close.md) |  | Closes the cluster client. After that client cannot be used and one should create a new client instance to be able to interact with Elasticsearch API. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecation.md b/docs/development/core/server/kibana-plugin-server.configdeprecation.md
index ba7e40b8dc624..772a52f5b9264 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecation.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecation.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
-
-## ConfigDeprecation type
-
-Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecation = (config: Record<string, any>, fromPath: string, logger: ConfigDeprecationLogger) => Record<string, any>;
-```
-
-## Remarks
-
-This should only be manually implemented if [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) does not provide the proper helpers for a specific deprecation need.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
+
+## ConfigDeprecation type
+
+Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecation = (config: Record<string, any>, fromPath: string, logger: ConfigDeprecationLogger) => Record<string, any>;
+```
+
+## Remarks
+
+This should only be manually implemented if [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) does not provide the proper helpers for a specific deprecation need.
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
index 0302797147cff..c61907f366301 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md)
-
-## ConfigDeprecationFactory interface
-
-Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.
-
-See methods documentation for more detailed examples.
-
-<b>Signature:</b>
-
-```typescript
-export interface ConfigDeprecationFactory 
-```
-
-## Example
-
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
-  rename('oldKey', 'newKey'),
-  unused('deprecatedKey'),
-]
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [rename(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.rename.md) | Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied. |
-|  [renameFromRoot(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md) | Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.<!-- -->This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead. |
-|  [unused(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unused.md) | Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied. |
-|  [unusedFromRoot(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md) | Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.<!-- -->This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md)
+
+## ConfigDeprecationFactory interface
+
+Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.
+
+See methods documentation for more detailed examples.
+
+<b>Signature:</b>
+
+```typescript
+export interface ConfigDeprecationFactory 
+```
+
+## Example
+
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
+  rename('oldKey', 'newKey'),
+  unused('deprecatedKey'),
+]
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [rename(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.rename.md) | Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied. |
+|  [renameFromRoot(oldKey, newKey)](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md) | Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.<!-- -->This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead. |
+|  [unused(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unused.md) | Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied. |
+|  [unusedFromRoot(unusedKey)](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md) | Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.<!-- -->This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
index 5bbbad763c545..6d7ea00b3cab1 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.rename.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [rename](./kibana-plugin-server.configdeprecationfactory.rename.md)
-
-## ConfigDeprecationFactory.rename() method
-
-Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied.
-
-<b>Signature:</b>
-
-```typescript
-rename(oldKey: string, newKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  oldKey | <code>string</code> |  |
-|  newKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Rename 'myplugin.oldKey' to 'myplugin.newKey'
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename }) => [
-  rename('oldKey', 'newKey'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [rename](./kibana-plugin-server.configdeprecationfactory.rename.md)
+
+## ConfigDeprecationFactory.rename() method
+
+Rename a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the oldKey was found and deprecation applied.
+
+<b>Signature:</b>
+
+```typescript
+rename(oldKey: string, newKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  oldKey | <code>string</code> |  |
+|  newKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Rename 'myplugin.oldKey' to 'myplugin.newKey'
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename }) => [
+  rename('oldKey', 'newKey'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
index d35ba25256fa1..269f242ec35da 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.renamefromroot.md
@@ -1,38 +1,38 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [renameFromRoot](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md)
-
-## ConfigDeprecationFactory.renameFromRoot() method
-
-Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.
-
-This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead.
-
-<b>Signature:</b>
-
-```typescript
-renameFromRoot(oldKey: string, newKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  oldKey | <code>string</code> |  |
-|  newKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Rename 'oldplugin.key' to 'newplugin.key'
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ renameFromRoot }) => [
-  renameFromRoot('oldplugin.key', 'newplugin.key'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [renameFromRoot](./kibana-plugin-server.configdeprecationfactory.renamefromroot.md)
+
+## ConfigDeprecationFactory.renameFromRoot() method
+
+Rename a configuration property from the root configuration. Will log a deprecation warning if the oldKey was found and deprecation applied.
+
+This should be only used when renaming properties from different configuration's path. To rename properties from inside a plugin's configuration, use 'rename' instead.
+
+<b>Signature:</b>
+
+```typescript
+renameFromRoot(oldKey: string, newKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  oldKey | <code>string</code> |  |
+|  newKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Rename 'oldplugin.key' to 'newplugin.key'
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ renameFromRoot }) => [
+  renameFromRoot('oldplugin.key', 'newplugin.key'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
index 0381480e84c4d..87576936607d7 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unused.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unused](./kibana-plugin-server.configdeprecationfactory.unused.md)
-
-## ConfigDeprecationFactory.unused() method
-
-Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied.
-
-<b>Signature:</b>
-
-```typescript
-unused(unusedKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  unusedKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Flags 'myplugin.deprecatedKey' as unused
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ unused }) => [
-  unused('deprecatedKey'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unused](./kibana-plugin-server.configdeprecationfactory.unused.md)
+
+## ConfigDeprecationFactory.unused() method
+
+Remove a configuration property from inside a plugin's configuration path. Will log a deprecation warning if the unused key was found and deprecation applied.
+
+<b>Signature:</b>
+
+```typescript
+unused(unusedKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  unusedKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Flags 'myplugin.deprecatedKey' as unused
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ unused }) => [
+  unused('deprecatedKey'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
index ed37638b07375..f7d81a010f812 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationfactory.unusedfromroot.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unusedFromRoot](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md)
-
-## ConfigDeprecationFactory.unusedFromRoot() method
-
-Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.
-
-This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead.
-
-<b>Signature:</b>
-
-```typescript
-unusedFromRoot(unusedKey: string): ConfigDeprecation;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  unusedKey | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ConfigDeprecation`
-
-## Example
-
-Flags 'somepath.deprecatedProperty' as unused
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ unusedFromRoot }) => [
-  unusedFromRoot('somepath.deprecatedProperty'),
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) &gt; [unusedFromRoot](./kibana-plugin-server.configdeprecationfactory.unusedfromroot.md)
+
+## ConfigDeprecationFactory.unusedFromRoot() method
+
+Remove a configuration property from the root configuration. Will log a deprecation warning if the unused key was found and deprecation applied.
+
+This should be only used when removing properties from outside of a plugin's configuration. To remove properties from inside a plugin's configuration, use 'unused' instead.
+
+<b>Signature:</b>
+
+```typescript
+unusedFromRoot(unusedKey: string): ConfigDeprecation;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  unusedKey | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ConfigDeprecation`
+
+## Example
+
+Flags 'somepath.deprecatedProperty' as unused
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ unusedFromRoot }) => [
+  unusedFromRoot('somepath.deprecatedProperty'),
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md b/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
index d2bb2a4e441b3..f3d6303a9f0d7 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationlogger.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md)
-
-## ConfigDeprecationLogger type
-
-Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecationLogger = (message: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md)
+
+## ConfigDeprecationLogger type
+
+Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecationLogger = (message: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md b/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
index f5da9e9452bb5..5d0619ef9e171 100644
--- a/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.configdeprecationprovider.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)
-
-## ConfigDeprecationProvider type
-
-A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.
-
-See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigDeprecationProvider = (factory: ConfigDeprecationFactory) => ConfigDeprecation[];
-```
-
-## Example
-
-
-```typescript
-const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
-  rename('oldKey', 'newKey'),
-  unused('deprecatedKey'),
-  myCustomDeprecation,
-]
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)
+
+## ConfigDeprecationProvider type
+
+A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.
+
+See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigDeprecationProvider = (factory: ConfigDeprecationFactory) => ConfigDeprecation[];
+```
+
+## Example
+
+
+```typescript
+const provider: ConfigDeprecationProvider = ({ rename, unused }) => [
+  rename('oldKey', 'newKey'),
+  unused('deprecatedKey'),
+  myCustomDeprecation,
+]
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.configpath.md b/docs/development/core/server/kibana-plugin-server.configpath.md
index 674769115b181..684e4c33d3c3b 100644
--- a/docs/development/core/server/kibana-plugin-server.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.configpath.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigPath](./kibana-plugin-server.configpath.md)
-
-## ConfigPath type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ConfigPath = string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ConfigPath](./kibana-plugin-server.configpath.md)
+
+## ConfigPath type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ConfigPath = string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md b/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
index 7096bfc43a520..323c131f2e9a8 100644
--- a/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.contextsetup.createcontextcontainer.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-server.contextsetup.createcontextcontainer.md)
-
-## ContextSetup.createContextContainer() method
-
-Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner.
-
-<b>Signature:</b>
-
-```typescript
-createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
-```
-<b>Returns:</b>
-
-`IContextContainer<THandler>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md) &gt; [createContextContainer](./kibana-plugin-server.contextsetup.createcontextcontainer.md)
+
+## ContextSetup.createContextContainer() method
+
+Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner.
+
+<b>Signature:</b>
+
+```typescript
+createContextContainer<THandler extends HandlerFunction<any>>(): IContextContainer<THandler>;
+```
+<b>Returns:</b>
+
+`IContextContainer<THandler>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.contextsetup.md b/docs/development/core/server/kibana-plugin-server.contextsetup.md
index 1b2a1e2f1b621..99d87c78ce57f 100644
--- a/docs/development/core/server/kibana-plugin-server.contextsetup.md
+++ b/docs/development/core/server/kibana-plugin-server.contextsetup.md
@@ -1,138 +1,138 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md)
-
-## ContextSetup interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface ContextSetup 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Example
-
-Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
-
-```ts
-export interface VizRenderContext {
-  core: {
-    i18n: I18nStart;
-    uiSettings: IUiSettingsClient;
-  }
-  [contextName: string]: unknown;
-}
-
-export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
-// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
-type BoundVizRenderer = (domElement: HTMLElement) => () => void;
-
-class VizRenderingPlugin {
-  private readonly contextContainer?: IContextContainer<VizRenderer>;
-  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
-        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
-    };
-  }
-
-  start(core) {
-    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
-    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
-      i18n: core.i18n,
-      uiSettings: core.uiSettings
-    }));
-
-    return {
-      registerContext: this.contextContainer.registerContext,
-
-      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
-        if (!this.vizRenderer.has(renderMethod)) {
-          throw new Error(`Render method '${renderMethod}' has not been registered`);
-        }
-
-        // The handler can now be called directly with only an `HTMLElement` and will automatically
-        // have a new `context` object created and populated by the context container.
-        const handler = this.vizRenderers.get(renderMethod)
-        return handler(domElement);
-      }
-    };
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createContextContainer()](./kibana-plugin-server.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ContextSetup](./kibana-plugin-server.contextsetup.md)
+
+## ContextSetup interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface ContextSetup 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Example
+
+Say we're creating a plugin for rendering visualizations that allows new rendering methods to be registered. If we want to offer context to these rendering methods, we can leverage the ContextService to manage these contexts.
+
+```ts
+export interface VizRenderContext {
+  core: {
+    i18n: I18nStart;
+    uiSettings: IUiSettingsClient;
+  }
+  [contextName: string]: unknown;
+}
+
+export type VizRenderer = (context: VizRenderContext, domElement: HTMLElement) => () => void;
+// When a renderer is bound via `contextContainer.createHandler` this is the type that will be returned.
+type BoundVizRenderer = (domElement: HTMLElement) => () => void;
+
+class VizRenderingPlugin {
+  private readonly contextContainer?: IContextContainer<VizRenderer>;
+  private readonly vizRenderers = new Map<string, BoundVizRenderer>();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+      registerVizRenderer: (plugin: PluginOpaqueId, renderMethod: string, renderer: VizTypeRenderer) =>
+        this.vizRenderers.set(renderMethod, this.contextContainer.createHandler(plugin, renderer)),
+    };
+  }
+
+  start(core) {
+    // Register the core context available to all renderers. Use the VizRendererContext's opaqueId as the first arg.
+    this.contextContainer.registerContext(this.initContext.opaqueId, 'core', () => ({
+      i18n: core.i18n,
+      uiSettings: core.uiSettings
+    }));
+
+    return {
+      registerContext: this.contextContainer.registerContext,
+
+      renderVizualization: (renderMethod: string, domElement: HTMLElement) => {
+        if (!this.vizRenderer.has(renderMethod)) {
+          throw new Error(`Render method '${renderMethod}' has not been registered`);
+        }
+
+        // The handler can now be called directly with only an `HTMLElement` and will automatically
+        // have a new `context` object created and populated by the context container.
+        const handler = this.vizRenderers.get(renderMethod)
+        return handler(domElement);
+      }
+    };
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createContextContainer()](./kibana-plugin-server.contextsetup.createcontextcontainer.md) | Creates a new [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for a service owner. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md b/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
index fe50347d97e3c..413a4155aeb31 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [capabilities](./kibana-plugin-server.coresetup.capabilities.md)
-
-## CoreSetup.capabilities property
-
-[CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
-
-<b>Signature:</b>
-
-```typescript
-capabilities: CapabilitiesSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [capabilities](./kibana-plugin-server.coresetup.capabilities.md)
+
+## CoreSetup.capabilities property
+
+[CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md)
+
+<b>Signature:</b>
+
+```typescript
+capabilities: CapabilitiesSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.context.md b/docs/development/core/server/kibana-plugin-server.coresetup.context.md
index 63c37eec70b05..0417203a92e23 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.context.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.context.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [context](./kibana-plugin-server.coresetup.context.md)
-
-## CoreSetup.context property
-
-[ContextSetup](./kibana-plugin-server.contextsetup.md)
-
-<b>Signature:</b>
-
-```typescript
-context: ContextSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [context](./kibana-plugin-server.coresetup.context.md)
+
+## CoreSetup.context property
+
+[ContextSetup](./kibana-plugin-server.contextsetup.md)
+
+<b>Signature:</b>
+
+```typescript
+context: ContextSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md b/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
index 9498e0223350d..0933487f5dcef 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.elasticsearch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md)
-
-## CoreSetup.elasticsearch property
-
-[ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-elasticsearch: ElasticsearchServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md)
+
+## CoreSetup.elasticsearch property
+
+[ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+elasticsearch: ElasticsearchServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md b/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
index 589529cf2a7f7..b05d28899f9d2 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.getstartservices.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [getStartServices](./kibana-plugin-server.coresetup.getstartservices.md)
-
-## CoreSetup.getStartServices() method
-
-Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->. This should only be used inside handlers registered during `setup` that will only be executed after `start` lifecycle.
-
-<b>Signature:</b>
-
-```typescript
-getStartServices(): Promise<[CoreStart, TPluginsStart]>;
-```
-<b>Returns:</b>
-
-`Promise<[CoreStart, TPluginsStart]>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [getStartServices](./kibana-plugin-server.coresetup.getstartservices.md)
+
+## CoreSetup.getStartServices() method
+
+Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed `start`<!-- -->. This should only be used inside handlers registered during `setup` that will only be executed after `start` lifecycle.
+
+<b>Signature:</b>
+
+```typescript
+getStartServices(): Promise<[CoreStart, TPluginsStart]>;
+```
+<b>Returns:</b>
+
+`Promise<[CoreStart, TPluginsStart]>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.http.md b/docs/development/core/server/kibana-plugin-server.coresetup.http.md
index 09b12bca7b275..cb77075ad1df6 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.http.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.http.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [http](./kibana-plugin-server.coresetup.http.md)
-
-## CoreSetup.http property
-
-[HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-http: HttpServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [http](./kibana-plugin-server.coresetup.http.md)
+
+## CoreSetup.http property
+
+[HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+http: HttpServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.md b/docs/development/core/server/kibana-plugin-server.coresetup.md
index 325f7216122b5..c36d649837e8a 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.md
@@ -1,32 +1,32 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md)
-
-## CoreSetup interface
-
-Context passed to the plugins `setup` method.
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreSetup<TPluginsStart extends object = object> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-server.coresetup.capabilities.md) | <code>CapabilitiesSetup</code> | [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [context](./kibana-plugin-server.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-server.contextsetup.md) |
-|  [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md) | <code>ElasticsearchServiceSetup</code> | [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |
-|  [http](./kibana-plugin-server.coresetup.http.md) | <code>HttpServiceSetup</code> | [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) |
-|  [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md) | <code>SavedObjectsServiceSetup</code> | [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) |
-|  [uiSettings](./kibana-plugin-server.coresetup.uisettings.md) | <code>UiSettingsServiceSetup</code> | [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |
-|  [uuid](./kibana-plugin-server.coresetup.uuid.md) | <code>UuidServiceSetup</code> | [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getStartServices()](./kibana-plugin-server.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. This should only be used inside handlers registered during <code>setup</code> that will only be executed after <code>start</code> lifecycle. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md)
+
+## CoreSetup interface
+
+Context passed to the plugins `setup` method.
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreSetup<TPluginsStart extends object = object> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-server.coresetup.capabilities.md) | <code>CapabilitiesSetup</code> | [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [context](./kibana-plugin-server.coresetup.context.md) | <code>ContextSetup</code> | [ContextSetup](./kibana-plugin-server.contextsetup.md) |
+|  [elasticsearch](./kibana-plugin-server.coresetup.elasticsearch.md) | <code>ElasticsearchServiceSetup</code> | [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |
+|  [http](./kibana-plugin-server.coresetup.http.md) | <code>HttpServiceSetup</code> | [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) |
+|  [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md) | <code>SavedObjectsServiceSetup</code> | [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) |
+|  [uiSettings](./kibana-plugin-server.coresetup.uisettings.md) | <code>UiSettingsServiceSetup</code> | [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |
+|  [uuid](./kibana-plugin-server.coresetup.uuid.md) | <code>UuidServiceSetup</code> | [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getStartServices()](./kibana-plugin-server.coresetup.getstartservices.md) | Allows plugins to get access to APIs available in start inside async handlers. Promise will not resolve until Core and plugin dependencies have completed <code>start</code>. This should only be used inside handlers registered during <code>setup</code> that will only be executed after <code>start</code> lifecycle. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md b/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
index 96acc1ffce194..e19ec235608a4 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md)
-
-## CoreSetup.savedObjects property
-
-[SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [savedObjects](./kibana-plugin-server.coresetup.savedobjects.md)
+
+## CoreSetup.savedObjects property
+
+[SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md b/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
index 54120d7c3fa8d..45c304a43fff6 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uiSettings](./kibana-plugin-server.coresetup.uisettings.md)
-
-## CoreSetup.uiSettings property
-
-[UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: UiSettingsServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uiSettings](./kibana-plugin-server.coresetup.uisettings.md)
+
+## CoreSetup.uiSettings property
+
+[UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: UiSettingsServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md b/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
index 2b9077735d8e3..45adf1262470d 100644
--- a/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
+++ b/docs/development/core/server/kibana-plugin-server.coresetup.uuid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uuid](./kibana-plugin-server.coresetup.uuid.md)
-
-## CoreSetup.uuid property
-
-[UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
-
-<b>Signature:</b>
-
-```typescript
-uuid: UuidServiceSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreSetup](./kibana-plugin-server.coresetup.md) &gt; [uuid](./kibana-plugin-server.coresetup.uuid.md)
+
+## CoreSetup.uuid property
+
+[UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
+
+<b>Signature:</b>
+
+```typescript
+uuid: UuidServiceSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md b/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
index 03930d367ee75..937f5f76cd803 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.capabilities.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [capabilities](./kibana-plugin-server.corestart.capabilities.md)
-
-## CoreStart.capabilities property
-
-[CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
-
-<b>Signature:</b>
-
-```typescript
-capabilities: CapabilitiesStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [capabilities](./kibana-plugin-server.corestart.capabilities.md)
+
+## CoreStart.capabilities property
+
+[CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md)
+
+<b>Signature:</b>
+
+```typescript
+capabilities: CapabilitiesStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.md b/docs/development/core/server/kibana-plugin-server.corestart.md
index 167c69d5fe329..0dd69f7b1494e 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md)
-
-## CoreStart interface
-
-Context passed to the plugins `start` method.
-
-<b>Signature:</b>
-
-```typescript
-export interface CoreStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [capabilities](./kibana-plugin-server.corestart.capabilities.md) | <code>CapabilitiesStart</code> | [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) |
-|  [savedObjects](./kibana-plugin-server.corestart.savedobjects.md) | <code>SavedObjectsServiceStart</code> | [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) |
-|  [uiSettings](./kibana-plugin-server.corestart.uisettings.md) | <code>UiSettingsServiceStart</code> | [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md)
+
+## CoreStart interface
+
+Context passed to the plugins `start` method.
+
+<b>Signature:</b>
+
+```typescript
+export interface CoreStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [capabilities](./kibana-plugin-server.corestart.capabilities.md) | <code>CapabilitiesStart</code> | [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) |
+|  [savedObjects](./kibana-plugin-server.corestart.savedobjects.md) | <code>SavedObjectsServiceStart</code> | [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) |
+|  [uiSettings](./kibana-plugin-server.corestart.uisettings.md) | <code>UiSettingsServiceStart</code> | [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |
+
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md b/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
index 531b04e9eed07..516dd3d9532d4 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.savedobjects.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [savedObjects](./kibana-plugin-server.corestart.savedobjects.md)
-
-## CoreStart.savedObjects property
-
-[SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
-
-<b>Signature:</b>
-
-```typescript
-savedObjects: SavedObjectsServiceStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [savedObjects](./kibana-plugin-server.corestart.savedobjects.md)
+
+## CoreStart.savedObjects property
+
+[SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
+
+<b>Signature:</b>
+
+```typescript
+savedObjects: SavedObjectsServiceStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md b/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
index 323e929f2918e..408a83585f01c 100644
--- a/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
+++ b/docs/development/core/server/kibana-plugin-server.corestart.uisettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [uiSettings](./kibana-plugin-server.corestart.uisettings.md)
-
-## CoreStart.uiSettings property
-
-[UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
-
-<b>Signature:</b>
-
-```typescript
-uiSettings: UiSettingsServiceStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CoreStart](./kibana-plugin-server.corestart.md) &gt; [uiSettings](./kibana-plugin-server.corestart.uisettings.md)
+
+## CoreStart.uiSettings property
+
+[UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
+
+<b>Signature:</b>
+
+```typescript
+uiSettings: UiSettingsServiceStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.default.md b/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
index 56e6cf35cdd13..c031db6aa3749 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.default.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [DEFAULT](./kibana-plugin-server.cspconfig.default.md)
-
-## CspConfig.DEFAULT property
-
-<b>Signature:</b>
-
-```typescript
-static readonly DEFAULT: CspConfig;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [DEFAULT](./kibana-plugin-server.cspconfig.default.md)
+
+## CspConfig.DEFAULT property
+
+<b>Signature:</b>
+
+```typescript
+static readonly DEFAULT: CspConfig;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.header.md b/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
index e3a3d5d712a42..79c69d0ddb452 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.header.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [header](./kibana-plugin-server.cspconfig.header.md)
-
-## CspConfig.header property
-
-<b>Signature:</b>
-
-```typescript
-readonly header: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [header](./kibana-plugin-server.cspconfig.header.md)
+
+## CspConfig.header property
+
+<b>Signature:</b>
+
+```typescript
+readonly header: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.md b/docs/development/core/server/kibana-plugin-server.cspconfig.md
index 7e491cb0df912..b0cd248db6e40 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md)
-
-## CspConfig class
-
-CSP configuration for use in Kibana.
-
-<b>Signature:</b>
-
-```typescript
-export declare class CspConfig implements ICspConfig 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `CspConfig` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [DEFAULT](./kibana-plugin-server.cspconfig.default.md) | <code>static</code> | <code>CspConfig</code> |  |
-|  [header](./kibana-plugin-server.cspconfig.header.md) |  | <code>string</code> |  |
-|  [rules](./kibana-plugin-server.cspconfig.rules.md) |  | <code>string[]</code> |  |
-|  [strict](./kibana-plugin-server.cspconfig.strict.md) |  | <code>boolean</code> |  |
-|  [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md) |  | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md)
+
+## CspConfig class
+
+CSP configuration for use in Kibana.
+
+<b>Signature:</b>
+
+```typescript
+export declare class CspConfig implements ICspConfig 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `CspConfig` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [DEFAULT](./kibana-plugin-server.cspconfig.default.md) | <code>static</code> | <code>CspConfig</code> |  |
+|  [header](./kibana-plugin-server.cspconfig.header.md) |  | <code>string</code> |  |
+|  [rules](./kibana-plugin-server.cspconfig.rules.md) |  | <code>string[]</code> |  |
+|  [strict](./kibana-plugin-server.cspconfig.strict.md) |  | <code>boolean</code> |  |
+|  [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md) |  | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md b/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
index c5270c2375dc1..8110cf965386c 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.rules.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [rules](./kibana-plugin-server.cspconfig.rules.md)
-
-## CspConfig.rules property
-
-<b>Signature:</b>
-
-```typescript
-readonly rules: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [rules](./kibana-plugin-server.cspconfig.rules.md)
+
+## CspConfig.rules property
+
+<b>Signature:</b>
+
+```typescript
+readonly rules: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md b/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
index 3ac48edd374c9..046ab8d8fd5f4 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.strict.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [strict](./kibana-plugin-server.cspconfig.strict.md)
-
-## CspConfig.strict property
-
-<b>Signature:</b>
-
-```typescript
-readonly strict: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [strict](./kibana-plugin-server.cspconfig.strict.md)
+
+## CspConfig.strict property
+
+<b>Signature:</b>
+
+```typescript
+readonly strict: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md b/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
index 59d661593d940..b5ce89ccee33f 100644
--- a/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
+++ b/docs/development/core/server/kibana-plugin-server.cspconfig.warnlegacybrowsers.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md)
-
-## CspConfig.warnLegacyBrowsers property
-
-<b>Signature:</b>
-
-```typescript
-readonly warnLegacyBrowsers: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CspConfig](./kibana-plugin-server.cspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.cspconfig.warnlegacybrowsers.md)
+
+## CspConfig.warnLegacyBrowsers property
+
+<b>Signature:</b>
+
+```typescript
+readonly warnLegacyBrowsers: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
index 1a2282aae23a4..3de5c93438f10 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.customhttpresponseoptions.body.md)
-
-## CustomHttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.customhttpresponseoptions.body.md)
+
+## CustomHttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
index 93a36bfe59f5e..5cd2e6aa0795f 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md)
-
-## CustomHttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md)
+
+## CustomHttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
index 3e100f709c8c7..ef941a2e2bd63 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md)
-
-## CustomHttpResponseOptions interface
-
-HTTP response parameters for a response with adjustable status code.
-
-<b>Signature:</b>
-
-```typescript
-export interface CustomHttpResponseOptions<T extends HttpResponsePayload | ResponseError> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.customhttpresponseoptions.body.md) | <code>T</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-|  [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md)
+
+## CustomHttpResponseOptions interface
+
+HTTP response parameters for a response with adjustable status code.
+
+<b>Signature:</b>
+
+```typescript
+export interface CustomHttpResponseOptions<T extends HttpResponsePayload | ResponseError> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.customhttpresponseoptions.body.md) | <code>T</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.customhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+|  [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
index 5444ccd2ebb55..4fb6882275ad1 100644
--- a/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.customhttpresponseoptions.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md)
-
-## CustomHttpResponseOptions.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) &gt; [statusCode](./kibana-plugin-server.customhttpresponseoptions.statuscode.md)
+
+## CustomHttpResponseOptions.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
index 47af79ae464b2..4797758bf1f55 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md)
-
-## DeprecationAPIClientParams interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationAPIClientParams extends GenericParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.deprecationapiclientparams.method.md) | <code>'GET'</code> |  |
-|  [path](./kibana-plugin-server.deprecationapiclientparams.path.md) | <code>'/_migration/deprecations'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md)
+
+## DeprecationAPIClientParams interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationAPIClientParams extends GenericParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.deprecationapiclientparams.method.md) | <code>'GET'</code> |  |
+|  [path](./kibana-plugin-server.deprecationapiclientparams.path.md) | <code>'/_migration/deprecations'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
index 7b9364009923b..57107a03d10bb 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [method](./kibana-plugin-server.deprecationapiclientparams.method.md)
-
-## DeprecationAPIClientParams.method property
-
-<b>Signature:</b>
-
-```typescript
-method: 'GET';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [method](./kibana-plugin-server.deprecationapiclientparams.method.md)
+
+## DeprecationAPIClientParams.method property
+
+<b>Signature:</b>
+
+```typescript
+method: 'GET';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
index dbddedf75171d..f9dde4f08afa0 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiclientparams.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [path](./kibana-plugin-server.deprecationapiclientparams.path.md)
-
-## DeprecationAPIClientParams.path property
-
-<b>Signature:</b>
-
-```typescript
-path: '/_migration/deprecations';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) &gt; [path](./kibana-plugin-server.deprecationapiclientparams.path.md)
+
+## DeprecationAPIClientParams.path property
+
+<b>Signature:</b>
+
+```typescript
+path: '/_migration/deprecations';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
index 5af134100407c..74a0609dc8f5a 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.cluster_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md)
-
-## DeprecationAPIResponse.cluster\_settings property
-
-<b>Signature:</b>
-
-```typescript
-cluster_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md)
+
+## DeprecationAPIResponse.cluster\_settings property
+
+<b>Signature:</b>
+
+```typescript
+cluster_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
index c8d20c9696f63..f5989247d67ea 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.index_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md)
-
-## DeprecationAPIResponse.index\_settings property
-
-<b>Signature:</b>
-
-```typescript
-index_settings: IndexSettingsDeprecationInfo;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md)
+
+## DeprecationAPIResponse.index\_settings property
+
+<b>Signature:</b>
+
+```typescript
+index_settings: IndexSettingsDeprecationInfo;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
index 5a2954d10c161..f5d4017f10b5d 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md)
-
-## DeprecationAPIResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationAPIResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md) | <code>DeprecationInfo[]</code> |  |
-|  [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md) | <code>IndexSettingsDeprecationInfo</code> |  |
-|  [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md) | <code>DeprecationInfo[]</code> |  |
-|  [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md) | <code>DeprecationInfo[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md)
+
+## DeprecationAPIResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationAPIResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [cluster\_settings](./kibana-plugin-server.deprecationapiresponse.cluster_settings.md) | <code>DeprecationInfo[]</code> |  |
+|  [index\_settings](./kibana-plugin-server.deprecationapiresponse.index_settings.md) | <code>IndexSettingsDeprecationInfo</code> |  |
+|  [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md) | <code>DeprecationInfo[]</code> |  |
+|  [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md) | <code>DeprecationInfo[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
index 5a4e273df69a6..ca1a2feaf8ed9 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.ml_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md)
-
-## DeprecationAPIResponse.ml\_settings property
-
-<b>Signature:</b>
-
-```typescript
-ml_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [ml\_settings](./kibana-plugin-server.deprecationapiresponse.ml_settings.md)
+
+## DeprecationAPIResponse.ml\_settings property
+
+<b>Signature:</b>
+
+```typescript
+ml_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
index 5901c49d0edf1..7c4fd59269656 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationapiresponse.node_settings.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md)
-
-## DeprecationAPIResponse.node\_settings property
-
-<b>Signature:</b>
-
-```typescript
-node_settings: DeprecationInfo[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) &gt; [node\_settings](./kibana-plugin-server.deprecationapiresponse.node_settings.md)
+
+## DeprecationAPIResponse.node\_settings property
+
+<b>Signature:</b>
+
+```typescript
+node_settings: DeprecationInfo[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
index 17dbeff942255..6c6913622191e 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.details.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [details](./kibana-plugin-server.deprecationinfo.details.md)
-
-## DeprecationInfo.details property
-
-<b>Signature:</b>
-
-```typescript
-details?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [details](./kibana-plugin-server.deprecationinfo.details.md)
+
+## DeprecationInfo.details property
+
+<b>Signature:</b>
+
+```typescript
+details?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
index 99b629bbbb8cc..03d3a4149af89 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.level.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [level](./kibana-plugin-server.deprecationinfo.level.md)
-
-## DeprecationInfo.level property
-
-<b>Signature:</b>
-
-```typescript
-level: MIGRATION_DEPRECATION_LEVEL;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [level](./kibana-plugin-server.deprecationinfo.level.md)
+
+## DeprecationInfo.level property
+
+<b>Signature:</b>
+
+```typescript
+level: MIGRATION_DEPRECATION_LEVEL;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
index c27f5d3404c22..252eec20d4a90 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md)
-
-## DeprecationInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [details](./kibana-plugin-server.deprecationinfo.details.md) | <code>string</code> |  |
-|  [level](./kibana-plugin-server.deprecationinfo.level.md) | <code>MIGRATION_DEPRECATION_LEVEL</code> |  |
-|  [message](./kibana-plugin-server.deprecationinfo.message.md) | <code>string</code> |  |
-|  [url](./kibana-plugin-server.deprecationinfo.url.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md)
+
+## DeprecationInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [details](./kibana-plugin-server.deprecationinfo.details.md) | <code>string</code> |  |
+|  [level](./kibana-plugin-server.deprecationinfo.level.md) | <code>MIGRATION_DEPRECATION_LEVEL</code> |  |
+|  [message](./kibana-plugin-server.deprecationinfo.message.md) | <code>string</code> |  |
+|  [url](./kibana-plugin-server.deprecationinfo.url.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
index f027ac83f3b6e..84b1bb05ce1a3 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [message](./kibana-plugin-server.deprecationinfo.message.md)
-
-## DeprecationInfo.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [message](./kibana-plugin-server.deprecationinfo.message.md)
+
+## DeprecationInfo.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md b/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
index 4fdc9d544b7ff..26a955cb5b24e 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationinfo.url.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [url](./kibana-plugin-server.deprecationinfo.url.md)
-
-## DeprecationInfo.url property
-
-<b>Signature:</b>
-
-```typescript
-url: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) &gt; [url](./kibana-plugin-server.deprecationinfo.url.md)
+
+## DeprecationInfo.url property
+
+<b>Signature:</b>
+
+```typescript
+url: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
index 4296d0d229988..c0ef525834e64 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.doclinkskey.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md)
-
-## DeprecationSettings.docLinksKey property
-
-Key to documentation links
-
-<b>Signature:</b>
-
-```typescript
-docLinksKey: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md)
+
+## DeprecationSettings.docLinksKey property
+
+Key to documentation links
+
+<b>Signature:</b>
+
+```typescript
+docLinksKey: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
index 64a654c1bcea8..3d93902fa7ad4 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md)
-
-## DeprecationSettings interface
-
-UiSettings deprecation field options.
-
-<b>Signature:</b>
-
-```typescript
-export interface DeprecationSettings 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md) | <code>string</code> | Key to documentation links |
-|  [message](./kibana-plugin-server.deprecationsettings.message.md) | <code>string</code> | Deprecation message |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md)
+
+## DeprecationSettings interface
+
+UiSettings deprecation field options.
+
+<b>Signature:</b>
+
+```typescript
+export interface DeprecationSettings 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [docLinksKey](./kibana-plugin-server.deprecationsettings.doclinkskey.md) | <code>string</code> | Key to documentation links |
+|  [message](./kibana-plugin-server.deprecationsettings.message.md) | <code>string</code> | Deprecation message |
+
diff --git a/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md b/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
index ed52929c3551e..36825160368eb 100644
--- a/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
+++ b/docs/development/core/server/kibana-plugin-server.deprecationsettings.message.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [message](./kibana-plugin-server.deprecationsettings.message.md)
-
-## DeprecationSettings.message property
-
-Deprecation message
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) &gt; [message](./kibana-plugin-server.deprecationsettings.message.md)
+
+## DeprecationSettings.message property
+
+Deprecation message
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
index 4de20b9c6cccf..d909907c2e1d6 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.configpath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [configPath](./kibana-plugin-server.discoveredplugin.configpath.md)
-
-## DiscoveredPlugin.configPath property
-
-Root configuration path used by the plugin, defaults to "id" in snake\_case format.
-
-<b>Signature:</b>
-
-```typescript
-readonly configPath: ConfigPath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [configPath](./kibana-plugin-server.discoveredplugin.configpath.md)
+
+## DiscoveredPlugin.configPath property
+
+Root configuration path used by the plugin, defaults to "id" in snake\_case format.
+
+<b>Signature:</b>
+
+```typescript
+readonly configPath: ConfigPath;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
index 54287ba69556f..4de45321d1b58 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [id](./kibana-plugin-server.discoveredplugin.id.md)
-
-## DiscoveredPlugin.id property
-
-Identifier of the plugin.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: PluginName;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [id](./kibana-plugin-server.discoveredplugin.id.md)
+
+## DiscoveredPlugin.id property
+
+Identifier of the plugin.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: PluginName;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
index ea13422458c7f..98931478da4af 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md)
-
-## DiscoveredPlugin interface
-
-Small container object used to expose information about discovered plugins that may or may not have been started.
-
-<b>Signature:</b>
-
-```typescript
-export interface DiscoveredPlugin 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [configPath](./kibana-plugin-server.discoveredplugin.configpath.md) | <code>ConfigPath</code> | Root configuration path used by the plugin, defaults to "id" in snake\_case format. |
-|  [id](./kibana-plugin-server.discoveredplugin.id.md) | <code>PluginName</code> | Identifier of the plugin. |
-|  [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
-|  [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md)
+
+## DiscoveredPlugin interface
+
+Small container object used to expose information about discovered plugins that may or may not have been started.
+
+<b>Signature:</b>
+
+```typescript
+export interface DiscoveredPlugin 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [configPath](./kibana-plugin-server.discoveredplugin.configpath.md) | <code>ConfigPath</code> | Root configuration path used by the plugin, defaults to "id" in snake\_case format. |
+|  [id](./kibana-plugin-server.discoveredplugin.id.md) | <code>PluginName</code> | Identifier of the plugin. |
+|  [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
+|  [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
index 065b3db6a8b71..9fc91464ced6a 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.optionalplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md)
-
-## DiscoveredPlugin.optionalPlugins property
-
-An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly optionalPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [optionalPlugins](./kibana-plugin-server.discoveredplugin.optionalplugins.md)
+
+## DiscoveredPlugin.optionalPlugins property
+
+An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly optionalPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md b/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
index 185675f055ad5..2bcab0077a153 100644
--- a/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.discoveredplugin.requiredplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md)
-
-## DiscoveredPlugin.requiredPlugins property
-
-An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly requiredPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) &gt; [requiredPlugins](./kibana-plugin-server.discoveredplugin.requiredplugins.md)
+
+## DiscoveredPlugin.requiredPlugins property
+
+An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly requiredPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md b/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
index 39e6ac428292b..97c01d16464e3 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchclientconfig.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md)
-
-## ElasticsearchClientConfig type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type ElasticsearchClientConfig = Pick<ConfigOptions, 'keepAlive' | 'log' | 'plugins'> & Pick<ElasticsearchConfig, 'apiVersion' | 'customHeaders' | 'logQueries' | 'requestHeadersWhitelist' | 'sniffOnStart' | 'sniffOnConnectionFault' | 'hosts' | 'username' | 'password'> & {
-    pingTimeout?: ElasticsearchConfig['pingTimeout'] | ConfigOptions['pingTimeout'];
-    requestTimeout?: ElasticsearchConfig['requestTimeout'] | ConfigOptions['requestTimeout'];
-    sniffInterval?: ElasticsearchConfig['sniffInterval'] | ConfigOptions['sniffInterval'];
-    ssl?: Partial<ElasticsearchConfig['ssl']>;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md)
+
+## ElasticsearchClientConfig type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type ElasticsearchClientConfig = Pick<ConfigOptions, 'keepAlive' | 'log' | 'plugins'> & Pick<ElasticsearchConfig, 'apiVersion' | 'customHeaders' | 'logQueries' | 'requestHeadersWhitelist' | 'sniffOnStart' | 'sniffOnConnectionFault' | 'hosts' | 'username' | 'password'> & {
+    pingTimeout?: ElasticsearchConfig['pingTimeout'] | ConfigOptions['pingTimeout'];
+    requestTimeout?: ElasticsearchConfig['requestTimeout'] | ConfigOptions['requestTimeout'];
+    sniffInterval?: ElasticsearchConfig['sniffInterval'] | ConfigOptions['sniffInterval'];
+    ssl?: Partial<ElasticsearchConfig['ssl']>;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
index 72556936db9be..6d072a6a98824 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherror._code_.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) &gt; [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md)
-
-## ElasticsearchError.\[code\] property
-
-<b>Signature:</b>
-
-```typescript
-[code]?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) &gt; [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md)
+
+## ElasticsearchError.\[code\] property
+
+<b>Signature:</b>
+
+```typescript
+[code]?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
index 9d9e21c44760c..a13fe675303b8 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherror.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md)
-
-## ElasticsearchError interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ElasticsearchError extends Boom 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md)
+
+## ElasticsearchError interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ElasticsearchError extends Boom 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [\[code\]](./kibana-plugin-server.elasticsearcherror._code_.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
index de9223c688357..75b03ff104a6c 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md)
-
-## ElasticsearchErrorHelpers.decorateNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateNotAuthorizedError(error: Error, reason?: string): ElasticsearchError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`ElasticsearchError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md)
+
+## ElasticsearchErrorHelpers.decorateNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateNotAuthorizedError(error: Error, reason?: string): ElasticsearchError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`ElasticsearchError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
index 6d6706ad2e767..f8ddd13431f20 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md)
-
-## ElasticsearchErrorHelpers.isNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotAuthorizedError(error: any): error is ElasticsearchError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`error is ElasticsearchError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md)
+
+## ElasticsearchErrorHelpers.isNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotAuthorizedError(error: any): error is ElasticsearchError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`error is ElasticsearchError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
index 2e615acfeac6b..fd3e21e32ba21 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearcherrorhelpers.md
@@ -1,35 +1,35 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md)
-
-## ElasticsearchErrorHelpers class
-
-Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as `body.error.header[WWW-Authenticate]`
-
-<b>Signature:</b>
-
-```typescript
-export declare class ElasticsearchErrorHelpers 
-```
-
-## Example
-
-Handle errors
-
-```js
-try {
-  await client.asScoped(request).callAsCurrentUser(...);
-} catch (err) {
-  if (ElasticsearchErrorHelpers.isNotAuthorizedError(err)) {
-    const authHeader = err.output.headers['WWW-Authenticate'];
-  }
-
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
-|  [isNotAuthorizedError(error)](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md)
+
+## ElasticsearchErrorHelpers class
+
+Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as `body.error.header[WWW-Authenticate]`
+
+<b>Signature:</b>
+
+```typescript
+export declare class ElasticsearchErrorHelpers 
+```
+
+## Example
+
+Handle errors
+
+```js
+try {
+  await client.asScoped(request).callAsCurrentUser(...);
+} catch (err) {
+  if (ElasticsearchErrorHelpers.isNotAuthorizedError(err)) {
+    const authHeader = err.output.headers['WWW-Authenticate'];
+  }
+
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.elasticsearcherrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
+|  [isNotAuthorizedError(error)](./kibana-plugin-server.elasticsearcherrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
index 415423f555266..f9858b44b80ff 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.adminclient.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md)
-
-## ElasticsearchServiceSetup.adminClient property
-
-A client for the `admin` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly adminClient: IClusterClient;
-```
-
-## Example
-
-
-```js
-const client = core.elasticsearch.adminClient;
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md)
+
+## ElasticsearchServiceSetup.adminClient property
+
+A client for the `admin` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly adminClient: IClusterClient;
+```
+
+## Example
+
+
+```js
+const client = core.elasticsearch.adminClient;
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
index 797f402cc2580..565ef1f7588e8 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.createclient.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md)
-
-## ElasticsearchServiceSetup.createClient property
-
-Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly createClient: (type: string, clientConfig?: Partial<ElasticsearchClientConfig>) => ICustomClusterClient;
-```
-
-## Example
-
-
-```js
-const client = elasticsearch.createCluster('my-app-name', config);
-const data = await client.callAsInternalUser();
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md)
+
+## ElasticsearchServiceSetup.createClient property
+
+Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly createClient: (type: string, clientConfig?: Partial<ElasticsearchClientConfig>) => ICustomClusterClient;
+```
+
+## Example
+
+
+```js
+const client = elasticsearch.createCluster('my-app-name', config);
+const data = await client.callAsInternalUser();
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
index e9845dce6915d..60ce859f8c109 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.dataclient.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md)
-
-## ElasticsearchServiceSetup.dataClient property
-
-A client for the `data` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly dataClient: IClusterClient;
-```
-
-## Example
-
-
-```js
-const client = core.elasticsearch.dataClient;
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) &gt; [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md)
+
+## ElasticsearchServiceSetup.dataClient property
+
+A client for the `data` cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly dataClient: IClusterClient;
+```
+
+## Example
+
+
+```js
+const client = core.elasticsearch.dataClient;
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
index 2de3f6e6d1bbc..56221f905cbc1 100644
--- a/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.elasticsearchservicesetup.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
-
-## ElasticsearchServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ElasticsearchServiceSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md) | <code>IClusterClient</code> | A client for the <code>admin</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-|  [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md) | <code>(type: string, clientConfig?: Partial&lt;ElasticsearchClientConfig&gt;) =&gt; ICustomClusterClient</code> | Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-|  [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md) | <code>IClusterClient</code> | A client for the <code>data</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md)
+
+## ElasticsearchServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ElasticsearchServiceSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [adminClient](./kibana-plugin-server.elasticsearchservicesetup.adminclient.md) | <code>IClusterClient</code> | A client for the <code>admin</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+|  [createClient](./kibana-plugin-server.elasticsearchservicesetup.createclient.md) | <code>(type: string, clientConfig?: Partial&lt;ElasticsearchClientConfig&gt;) =&gt; ICustomClusterClient</code> | Create application specific Elasticsearch cluster API client with customized config. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+|  [dataClient](./kibana-plugin-server.elasticsearchservicesetup.dataclient.md) | <code>IClusterClient</code> | A client for the <code>data</code> cluster. All Elasticsearch config value changes are processed under the hood. See [IClusterClient](./kibana-plugin-server.iclusterclient.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md b/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
index d60fcc58d1b60..8e40310eeb86d 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.dev.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [dev](./kibana-plugin-server.environmentmode.dev.md)
-
-## EnvironmentMode.dev property
-
-<b>Signature:</b>
-
-```typescript
-dev: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [dev](./kibana-plugin-server.environmentmode.dev.md)
+
+## EnvironmentMode.dev property
+
+<b>Signature:</b>
+
+```typescript
+dev: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.md b/docs/development/core/server/kibana-plugin-server.environmentmode.md
index b325f74a0a44f..89273b15deb01 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md)
-
-## EnvironmentMode interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface EnvironmentMode 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [dev](./kibana-plugin-server.environmentmode.dev.md) | <code>boolean</code> |  |
-|  [name](./kibana-plugin-server.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
-|  [prod](./kibana-plugin-server.environmentmode.prod.md) | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md)
+
+## EnvironmentMode interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface EnvironmentMode 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [dev](./kibana-plugin-server.environmentmode.dev.md) | <code>boolean</code> |  |
+|  [name](./kibana-plugin-server.environmentmode.name.md) | <code>'development' &#124; 'production'</code> |  |
+|  [prod](./kibana-plugin-server.environmentmode.prod.md) | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.name.md b/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
index c3243075866f2..9b09be3ef7976 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [name](./kibana-plugin-server.environmentmode.name.md)
-
-## EnvironmentMode.name property
-
-<b>Signature:</b>
-
-```typescript
-name: 'development' | 'production';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [name](./kibana-plugin-server.environmentmode.name.md)
+
+## EnvironmentMode.name property
+
+<b>Signature:</b>
+
+```typescript
+name: 'development' | 'production';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md b/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
index 86a94775358e9..60ceef4d408c7 100644
--- a/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
+++ b/docs/development/core/server/kibana-plugin-server.environmentmode.prod.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [prod](./kibana-plugin-server.environmentmode.prod.md)
-
-## EnvironmentMode.prod property
-
-<b>Signature:</b>
-
-```typescript
-prod: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [EnvironmentMode](./kibana-plugin-server.environmentmode.md) &gt; [prod](./kibana-plugin-server.environmentmode.prod.md)
+
+## EnvironmentMode.prod property
+
+<b>Signature:</b>
+
+```typescript
+prod: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
index acc800ff4879e..8e6656512fb0e 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.errorhttpresponseoptions.body.md)
-
-## ErrorHttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: ResponseError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [body](./kibana-plugin-server.errorhttpresponseoptions.body.md)
+
+## ErrorHttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: ResponseError;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
index 4bf78f8325c13..df12976995732 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md)
-
-## ErrorHttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) &gt; [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md)
+
+## ErrorHttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
index 9a5c96881f26c..338f948201b00 100644
--- a/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.errorhttpresponseoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md)
-
-## ErrorHttpResponseOptions interface
-
-HTTP response parameters
-
-<b>Signature:</b>
-
-```typescript
-export interface ErrorHttpResponseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.errorhttpresponseoptions.body.md) | <code>ResponseError</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md)
+
+## ErrorHttpResponseOptions interface
+
+HTTP response parameters
+
+<b>Signature:</b>
+
+```typescript
+export interface ErrorHttpResponseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.errorhttpresponseoptions.body.md) | <code>ResponseError</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.errorhttpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md b/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
index 14cca9bc02ff8..a56588a1250d2 100644
--- a/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.fakerequest.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md) &gt; [headers](./kibana-plugin-server.fakerequest.headers.md)
-
-## FakeRequest.headers property
-
-Headers used for authentication against Elasticsearch
-
-<b>Signature:</b>
-
-```typescript
-headers: Headers;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md) &gt; [headers](./kibana-plugin-server.fakerequest.headers.md)
+
+## FakeRequest.headers property
+
+Headers used for authentication against Elasticsearch
+
+<b>Signature:</b>
+
+```typescript
+headers: Headers;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.fakerequest.md b/docs/development/core/server/kibana-plugin-server.fakerequest.md
index a0ac5733c315b..3c05e7418919e 100644
--- a/docs/development/core/server/kibana-plugin-server.fakerequest.md
+++ b/docs/development/core/server/kibana-plugin-server.fakerequest.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md)
-
-## FakeRequest interface
-
-Fake request object created manually by Kibana plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface FakeRequest 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [headers](./kibana-plugin-server.fakerequest.headers.md) | <code>Headers</code> | Headers used for authentication against Elasticsearch |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [FakeRequest](./kibana-plugin-server.fakerequest.md)
+
+## FakeRequest interface
+
+Fake request object created manually by Kibana plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface FakeRequest 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [headers](./kibana-plugin-server.fakerequest.headers.md) | <code>Headers</code> | Headers used for authentication against Elasticsearch |
+
diff --git a/docs/development/core/server/kibana-plugin-server.getauthheaders.md b/docs/development/core/server/kibana-plugin-server.getauthheaders.md
index fba8b8ca8ee3a..c56e2357a8b39 100644
--- a/docs/development/core/server/kibana-plugin-server.getauthheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.getauthheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md)
-
-## GetAuthHeaders type
-
-Get headers to authenticate a user against Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-export declare type GetAuthHeaders = (request: KibanaRequest | LegacyRequest) => AuthHeaders | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md)
+
+## GetAuthHeaders type
+
+Get headers to authenticate a user against Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+export declare type GetAuthHeaders = (request: KibanaRequest | LegacyRequest) => AuthHeaders | undefined;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.getauthstate.md b/docs/development/core/server/kibana-plugin-server.getauthstate.md
index 1980a81ec1910..4e96c776677fb 100644
--- a/docs/development/core/server/kibana-plugin-server.getauthstate.md
+++ b/docs/development/core/server/kibana-plugin-server.getauthstate.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthState](./kibana-plugin-server.getauthstate.md)
-
-## GetAuthState type
-
-Gets authentication state for a request. Returned by `auth` interceptor.
-
-<b>Signature:</b>
-
-```typescript
-export declare type GetAuthState = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
-    status: AuthStatus;
-    state: T;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [GetAuthState](./kibana-plugin-server.getauthstate.md)
+
+## GetAuthState type
+
+Gets authentication state for a request. Returned by `auth` interceptor.
+
+<b>Signature:</b>
+
+```typescript
+export declare type GetAuthState = <T = unknown>(request: KibanaRequest | LegacyRequest) => {
+    status: AuthStatus;
+    state: T;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlercontexttype.md b/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
index e8f1f346e8b8e..cd59c2411cf86 100644
--- a/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
+++ b/docs/development/core/server/kibana-plugin-server.handlercontexttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)
-
-## HandlerContextType type
-
-Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)
+
+## HandlerContextType type
+
+Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerContextType<T extends HandlerFunction<any>> = T extends HandlerFunction<infer U> ? U : never;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlerfunction.md b/docs/development/core/server/kibana-plugin-server.handlerfunction.md
index 97acd37946fc9..d24f7181d1d29 100644
--- a/docs/development/core/server/kibana-plugin-server.handlerfunction.md
+++ b/docs/development/core/server/kibana-plugin-server.handlerfunction.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerFunction](./kibana-plugin-server.handlerfunction.md)
-
-## HandlerFunction type
-
-A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerFunction](./kibana-plugin-server.handlerfunction.md)
+
+## HandlerFunction type
+
+A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerFunction<T extends object> = (context: T, ...args: any[]) => any;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.handlerparameters.md b/docs/development/core/server/kibana-plugin-server.handlerparameters.md
index 3dd7998a71a1f..40cc0b37b9251 100644
--- a/docs/development/core/server/kibana-plugin-server.handlerparameters.md
+++ b/docs/development/core/server/kibana-plugin-server.handlerparameters.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerParameters](./kibana-plugin-server.handlerparameters.md)
-
-## HandlerParameters type
-
-Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HandlerParameters](./kibana-plugin-server.handlerparameters.md)
+
+## HandlerParameters type
+
+Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HandlerParameters<T extends HandlerFunction<any>> = T extends (context: any, ...args: infer U) => any ? U : never;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.headers.md b/docs/development/core/server/kibana-plugin-server.headers.md
index cd73d4de43b9d..30798e4bfeb00 100644
--- a/docs/development/core/server/kibana-plugin-server.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.headers.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Headers](./kibana-plugin-server.headers.md)
-
-## Headers type
-
-Http request headers to read.
-
-<b>Signature:</b>
-
-```typescript
-export declare type Headers = {
-    [header in KnownHeaders]?: string | string[] | undefined;
-} & {
-    [header: string]: string | string[] | undefined;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Headers](./kibana-plugin-server.headers.md)
+
+## Headers type
+
+Http request headers to read.
+
+<b>Signature:</b>
+
+```typescript
+export declare type Headers = {
+    [header in KnownHeaders]?: string | string[] | undefined;
+} & {
+    [header: string]: string | string[] | undefined;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
index fb663c3c878a7..020c55c2c0874 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [body](./kibana-plugin-server.httpresponseoptions.body.md)
-
-## HttpResponseOptions.body property
-
-HTTP message to send to the client
-
-<b>Signature:</b>
-
-```typescript
-body?: HttpResponsePayload;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [body](./kibana-plugin-server.httpresponseoptions.body.md)
+
+## HttpResponseOptions.body property
+
+HTTP message to send to the client
+
+<b>Signature:</b>
+
+```typescript
+body?: HttpResponsePayload;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
index ee347f99a41a4..4f66005e881d8 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [headers](./kibana-plugin-server.httpresponseoptions.headers.md)
-
-## HttpResponseOptions.headers property
-
-HTTP Headers with additional information about response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) &gt; [headers](./kibana-plugin-server.httpresponseoptions.headers.md)
+
+## HttpResponseOptions.headers property
+
+HTTP Headers with additional information about response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
index aa0e6cc40b861..c5cbe471f45e6 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponseoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)
-
-## HttpResponseOptions interface
-
-HTTP response parameters
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpResponseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.httpresponseoptions.body.md) | <code>HttpResponsePayload</code> | HTTP message to send to the client |
-|  [headers](./kibana-plugin-server.httpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)
+
+## HttpResponseOptions interface
+
+HTTP response parameters
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpResponseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.httpresponseoptions.body.md) | <code>HttpResponsePayload</code> | HTTP message to send to the client |
+|  [headers](./kibana-plugin-server.httpresponseoptions.headers.md) | <code>ResponseHeaders</code> | HTTP Headers with additional information about response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md b/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
index 3dc4e2c7956f7..a2a8e28b1f33e 100644
--- a/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
+++ b/docs/development/core/server/kibana-plugin-server.httpresponsepayload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md)
-
-## HttpResponsePayload type
-
-Data send to the client as a response payload.
-
-<b>Signature:</b>
-
-```typescript
-export declare type HttpResponsePayload = undefined | string | Record<string, any> | Buffer | Stream;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md)
+
+## HttpResponsePayload type
+
+Data send to the client as a response payload.
+
+<b>Signature:</b>
+
+```typescript
+export declare type HttpResponsePayload = undefined | string | Record<string, any> | Buffer | Stream;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
index f08bb8b638e79..4ff7967a6a643 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.auth.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [auth](./kibana-plugin-server.httpservicesetup.auth.md)
-
-## HttpServiceSetup.auth property
-
-<b>Signature:</b>
-
-```typescript
-auth: {
-        get: GetAuthState;
-        isAuthenticated: IsAuthenticated;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [auth](./kibana-plugin-server.httpservicesetup.auth.md)
+
+## HttpServiceSetup.auth property
+
+<b>Signature:</b>
+
+```typescript
+auth: {
+        get: GetAuthState;
+        isAuthenticated: IsAuthenticated;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
index 61390773bd726..81221f303b566 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.basepath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [basePath](./kibana-plugin-server.httpservicesetup.basepath.md)
-
-## HttpServiceSetup.basePath property
-
-Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-basePath: IBasePath;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [basePath](./kibana-plugin-server.httpservicesetup.basepath.md)
+
+## HttpServiceSetup.basePath property
+
+Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+basePath: IBasePath;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
index 4771836bea477..1aabee9d255b4 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md)
-
-## HttpServiceSetup.createCookieSessionStorageFactory property
-
-Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
-
-<b>Signature:</b>
-
-```typescript
-createCookieSessionStorageFactory: <T>(cookieOptions: SessionStorageCookieOptions<T>) => Promise<SessionStorageFactory<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md)
+
+## HttpServiceSetup.createCookieSessionStorageFactory property
+
+Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
+
+<b>Signature:</b>
+
+```typescript
+createCookieSessionStorageFactory: <T>(cookieOptions: SessionStorageCookieOptions<T>) => Promise<SessionStorageFactory<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
index 71a7fd8fb6a22..ea0850fa01c53 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.createrouter.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md)
-
-## HttpServiceSetup.createRouter property
-
-Provides ability to declare a handler function for a particular path and HTTP request method.
-
-<b>Signature:</b>
-
-```typescript
-createRouter: () => IRouter;
-```
-
-## Remarks
-
-Each route can have only one handler function, which is executed when the route is matched. See the [IRouter](./kibana-plugin-server.irouter.md) documentation for more information.
-
-## Example
-
-
-```ts
-const router = createRouter();
-// handler is called when '/path' resource is requested with `GET` method
-router.get({ path: '/path', validate: false }, (context, req, res) => res.ok({ content: 'ok' }));
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md)
+
+## HttpServiceSetup.createRouter property
+
+Provides ability to declare a handler function for a particular path and HTTP request method.
+
+<b>Signature:</b>
+
+```typescript
+createRouter: () => IRouter;
+```
+
+## Remarks
+
+Each route can have only one handler function, which is executed when the route is matched. See the [IRouter](./kibana-plugin-server.irouter.md) documentation for more information.
+
+## Example
+
+
+```ts
+const router = createRouter();
+// handler is called when '/path' resource is requested with `GET` method
+router.get({ path: '/path', validate: false }, (context, req, res) => res.ok({ content: 'ok' }));
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
index 7bf83305613ea..cc1a2ba7136a1 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.csp.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [csp](./kibana-plugin-server.httpservicesetup.csp.md)
-
-## HttpServiceSetup.csp property
-
-The CSP config used for Kibana.
-
-<b>Signature:</b>
-
-```typescript
-csp: ICspConfig;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [csp](./kibana-plugin-server.httpservicesetup.csp.md)
+
+## HttpServiceSetup.csp property
+
+The CSP config used for Kibana.
+
+<b>Signature:</b>
+
+```typescript
+csp: ICspConfig;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
index 06a99e8bf3013..2d5a8e9ea791b 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.istlsenabled.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md)
-
-## HttpServiceSetup.isTlsEnabled property
-
-Flag showing whether a server was configured to use TLS connection.
-
-<b>Signature:</b>
-
-```typescript
-isTlsEnabled: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md)
+
+## HttpServiceSetup.isTlsEnabled property
+
+Flag showing whether a server was configured to use TLS connection.
+
+<b>Signature:</b>
+
+```typescript
+isTlsEnabled: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
index 95a95175672c7..2a4b0e09977c1 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.md
@@ -1,95 +1,95 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
-
-## HttpServiceSetup interface
-
-Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to `hapi` server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs.
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpServiceSetup 
-```
-
-## Example
-
-To handle an incoming request in your plugin you should: - Create a `Router` instance.
-
-```ts
-const router = httpSetup.createRouter();
-
-```
-- Use `@kbn/config-schema` package to create a schema to validate the request `params`<!-- -->, `query`<!-- -->, and `body`<!-- -->. Every incoming request will be validated against the created schema. If validation failed, the request is rejected with `400` status and `Bad request` error without calling the route's handler. To opt out of validating the request, specify `false`<!-- -->.
-
-```ts
-import { schema, TypeOf } from '@kbn/config-schema';
-const validate = {
-  params: schema.object({
-    id: schema.string(),
-  }),
-};
-
-```
-- Declare a function to respond to incoming request. The function will receive `request` object containing request details: url, headers, matched route, as well as validated `params`<!-- -->, `query`<!-- -->, `body`<!-- -->. And `response` object instructing HTTP server to create HTTP response with information sent back to the client as the response body, headers, and HTTP status. Unlike, `hapi` route handler in the Legacy platform, any exception raised during the handler call will generate `500 Server error` response and log error details for further investigation. See below for returning custom error responses.
-
-```ts
-const handler = async (context: RequestHandlerContext, request: KibanaRequest, response: ResponseFactory) => {
-  const data = await findObject(request.params.id);
-  // creates a command to respond with 'not found' error
-  if (!data) return response.notFound();
-  // creates a command to send found data to the client and set response headers
-  return response.ok({
-    body: data,
-    headers: {
-      'content-type': 'application/json'
-    }
-  });
-}
-
-```
-- Register route handler for GET request to 'path/<!-- -->{<!-- -->id<!-- -->}<!-- -->' path
-
-```ts
-import { schema, TypeOf } from '@kbn/config-schema';
-const router = httpSetup.createRouter();
-
-const validate = {
-  params: schema.object({
-    id: schema.string(),
-  }),
-};
-
-router.get({
-  path: 'path/{id}',
-  validate
-},
-async (context, request, response) => {
-  const data = await findObject(request.params.id);
-  if (!data) return response.notFound();
-  return response.ok({
-    body: data,
-    headers: {
-      'content-type': 'application/json'
-    }
-  });
-});
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [auth](./kibana-plugin-server.httpservicesetup.auth.md) | <code>{</code><br/><code>        get: GetAuthState;</code><br/><code>        isAuthenticated: IsAuthenticated;</code><br/><code>    }</code> |  |
-|  [basePath](./kibana-plugin-server.httpservicesetup.basepath.md) | <code>IBasePath</code> | Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->. |
-|  [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md) | <code>&lt;T&gt;(cookieOptions: SessionStorageCookieOptions&lt;T&gt;) =&gt; Promise&lt;SessionStorageFactory&lt;T&gt;&gt;</code> | Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) |
-|  [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md) | <code>() =&gt; IRouter</code> | Provides ability to declare a handler function for a particular path and HTTP request method. |
-|  [csp](./kibana-plugin-server.httpservicesetup.csp.md) | <code>ICspConfig</code> | The CSP config used for Kibana. |
-|  [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md) | <code>boolean</code> | Flag showing whether a server was configured to use TLS connection. |
-|  [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md) | <code>(handler: AuthenticationHandler) =&gt; void</code> | To define custom authentication and/or authorization mechanism for incoming requests. |
-|  [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md) | <code>(handler: OnPostAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
-|  [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md) | <code>(handler: OnPreAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
-|  [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md) | <code>(handler: OnPreResponseHandler) =&gt; void</code> | To define custom logic to perform for the server response. |
-|  [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md) | <code>&lt;T extends keyof RequestHandlerContext&gt;(contextName: T, provider: RequestHandlerContextProvider&lt;T&gt;) =&gt; RequestHandlerContextContainer</code> | Register a context provider for a route handler. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md)
+
+## HttpServiceSetup interface
+
+Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to `hapi` server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs.
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpServiceSetup 
+```
+
+## Example
+
+To handle an incoming request in your plugin you should: - Create a `Router` instance.
+
+```ts
+const router = httpSetup.createRouter();
+
+```
+- Use `@kbn/config-schema` package to create a schema to validate the request `params`<!-- -->, `query`<!-- -->, and `body`<!-- -->. Every incoming request will be validated against the created schema. If validation failed, the request is rejected with `400` status and `Bad request` error without calling the route's handler. To opt out of validating the request, specify `false`<!-- -->.
+
+```ts
+import { schema, TypeOf } from '@kbn/config-schema';
+const validate = {
+  params: schema.object({
+    id: schema.string(),
+  }),
+};
+
+```
+- Declare a function to respond to incoming request. The function will receive `request` object containing request details: url, headers, matched route, as well as validated `params`<!-- -->, `query`<!-- -->, `body`<!-- -->. And `response` object instructing HTTP server to create HTTP response with information sent back to the client as the response body, headers, and HTTP status. Unlike, `hapi` route handler in the Legacy platform, any exception raised during the handler call will generate `500 Server error` response and log error details for further investigation. See below for returning custom error responses.
+
+```ts
+const handler = async (context: RequestHandlerContext, request: KibanaRequest, response: ResponseFactory) => {
+  const data = await findObject(request.params.id);
+  // creates a command to respond with 'not found' error
+  if (!data) return response.notFound();
+  // creates a command to send found data to the client and set response headers
+  return response.ok({
+    body: data,
+    headers: {
+      'content-type': 'application/json'
+    }
+  });
+}
+
+```
+- Register route handler for GET request to 'path/<!-- -->{<!-- -->id<!-- -->}<!-- -->' path
+
+```ts
+import { schema, TypeOf } from '@kbn/config-schema';
+const router = httpSetup.createRouter();
+
+const validate = {
+  params: schema.object({
+    id: schema.string(),
+  }),
+};
+
+router.get({
+  path: 'path/{id}',
+  validate
+},
+async (context, request, response) => {
+  const data = await findObject(request.params.id);
+  if (!data) return response.notFound();
+  return response.ok({
+    body: data,
+    headers: {
+      'content-type': 'application/json'
+    }
+  });
+});
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [auth](./kibana-plugin-server.httpservicesetup.auth.md) | <code>{</code><br/><code>        get: GetAuthState;</code><br/><code>        isAuthenticated: IsAuthenticated;</code><br/><code>    }</code> |  |
+|  [basePath](./kibana-plugin-server.httpservicesetup.basepath.md) | <code>IBasePath</code> | Access or manipulate the Kibana base path See [IBasePath](./kibana-plugin-server.ibasepath.md)<!-- -->. |
+|  [createCookieSessionStorageFactory](./kibana-plugin-server.httpservicesetup.createcookiesessionstoragefactory.md) | <code>&lt;T&gt;(cookieOptions: SessionStorageCookieOptions&lt;T&gt;) =&gt; Promise&lt;SessionStorageFactory&lt;T&gt;&gt;</code> | Creates cookie based session storage factory [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) |
+|  [createRouter](./kibana-plugin-server.httpservicesetup.createrouter.md) | <code>() =&gt; IRouter</code> | Provides ability to declare a handler function for a particular path and HTTP request method. |
+|  [csp](./kibana-plugin-server.httpservicesetup.csp.md) | <code>ICspConfig</code> | The CSP config used for Kibana. |
+|  [isTlsEnabled](./kibana-plugin-server.httpservicesetup.istlsenabled.md) | <code>boolean</code> | Flag showing whether a server was configured to use TLS connection. |
+|  [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md) | <code>(handler: AuthenticationHandler) =&gt; void</code> | To define custom authentication and/or authorization mechanism for incoming requests. |
+|  [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md) | <code>(handler: OnPostAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
+|  [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md) | <code>(handler: OnPreAuthHandler) =&gt; void</code> | To define custom logic to perform for incoming requests. |
+|  [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md) | <code>(handler: OnPreResponseHandler) =&gt; void</code> | To define custom logic to perform for the server response. |
+|  [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md) | <code>&lt;T extends keyof RequestHandlerContext&gt;(contextName: T, provider: RequestHandlerContextProvider&lt;T&gt;) =&gt; RequestHandlerContextContainer</code> | Register a context provider for a route handler. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
index be3da1ca1131f..1258f8e83bafd 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md)
-
-## HttpServiceSetup.registerAuth property
-
-To define custom authentication and/or authorization mechanism for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerAuth: (handler: AuthenticationHandler) => void;
-```
-
-## Remarks
-
-A handler should return a state to associate with the incoming request. The state can be retrieved later via http.auth.get(..) Only one AuthenticationHandler can be registered. See [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerAuth](./kibana-plugin-server.httpservicesetup.registerauth.md)
+
+## HttpServiceSetup.registerAuth property
+
+To define custom authentication and/or authorization mechanism for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerAuth: (handler: AuthenticationHandler) => void;
+```
+
+## Remarks
+
+A handler should return a state to associate with the incoming request. The state can be retrieved later via http.auth.get(..) Only one AuthenticationHandler can be registered. See [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
index a3f875c999af1..f1849192919b9 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpostauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md)
-
-## HttpServiceSetup.registerOnPostAuth property
-
-To define custom logic to perform for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPostAuth: (handler: OnPostAuthHandler) => void;
-```
-
-## Remarks
-
-Runs the handler after Auth interceptor did make sure a user has access to the requested resource. The auth state is available at stage via http.auth.get(..) Can register any number of registerOnPreAuth, which are called in sequence (from the first registered to the last). See [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPostAuth](./kibana-plugin-server.httpservicesetup.registeronpostauth.md)
+
+## HttpServiceSetup.registerOnPostAuth property
+
+To define custom logic to perform for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPostAuth: (handler: OnPostAuthHandler) => void;
+```
+
+## Remarks
+
+Runs the handler after Auth interceptor did make sure a user has access to the requested resource. The auth state is available at stage via http.auth.get(..) Can register any number of registerOnPreAuth, which are called in sequence (from the first registered to the last). See [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
index 4c7b688619319..25462081548e7 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreauth.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md)
-
-## HttpServiceSetup.registerOnPreAuth property
-
-To define custom logic to perform for incoming requests.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPreAuth: (handler: OnPreAuthHandler) => void;
-```
-
-## Remarks
-
-Runs the handler before Auth interceptor performs a check that user has access to requested resources, so it's the only place when you can forward a request to another URL right on the server. Can register any number of registerOnPostAuth, which are called in sequence (from the first registered to the last). See [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreAuth](./kibana-plugin-server.httpservicesetup.registeronpreauth.md)
+
+## HttpServiceSetup.registerOnPreAuth property
+
+To define custom logic to perform for incoming requests.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPreAuth: (handler: OnPreAuthHandler) => void;
+```
+
+## Remarks
+
+Runs the handler before Auth interceptor performs a check that user has access to requested resources, so it's the only place when you can forward a request to another URL right on the server. Can register any number of registerOnPostAuth, which are called in sequence (from the first registered to the last). See [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
index 9f0eaae8830e1..25248066cbc25 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registeronpreresponse.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md)
-
-## HttpServiceSetup.registerOnPreResponse property
-
-To define custom logic to perform for the server response.
-
-<b>Signature:</b>
-
-```typescript
-registerOnPreResponse: (handler: OnPreResponseHandler) => void;
-```
-
-## Remarks
-
-Doesn't provide the whole response object. Supports extending response with custom headers. See [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerOnPreResponse](./kibana-plugin-server.httpservicesetup.registeronpreresponse.md)
+
+## HttpServiceSetup.registerOnPreResponse property
+
+To define custom logic to perform for the server response.
+
+<b>Signature:</b>
+
+```typescript
+registerOnPreResponse: (handler: OnPreResponseHandler) => void;
+```
+
+## Remarks
+
+Doesn't provide the whole response object. Supports extending response with custom headers. See [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
index 339f2eb329c7b..69358cbf975bc 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md)
-
-## HttpServiceSetup.registerRouteHandlerContext property
-
-Register a context provider for a route handler.
-
-<b>Signature:</b>
-
-```typescript
-registerRouteHandlerContext: <T extends keyof RequestHandlerContext>(contextName: T, provider: RequestHandlerContextProvider<T>) => RequestHandlerContextContainer;
-```
-
-## Example
-
-
-```ts
- // my-plugin.ts
- deps.http.registerRouteHandlerContext(
-   'myApp',
-   (context, req) => {
-    async function search (id: string) {
-      return await context.elasticsearch.adminClient.callAsInternalUser('endpoint', id);
-    }
-    return { search };
-   }
- );
-
-// my-route-handler.ts
- router.get({ path: '/', validate: false }, async (context, req, res) => {
-   const response = await context.myApp.search(...);
-   return res.ok(response);
- });
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) &gt; [registerRouteHandlerContext](./kibana-plugin-server.httpservicesetup.registerroutehandlercontext.md)
+
+## HttpServiceSetup.registerRouteHandlerContext property
+
+Register a context provider for a route handler.
+
+<b>Signature:</b>
+
+```typescript
+registerRouteHandlerContext: <T extends keyof RequestHandlerContext>(contextName: T, provider: RequestHandlerContextProvider<T>) => RequestHandlerContextContainer;
+```
+
+## Example
+
+
+```ts
+ // my-plugin.ts
+ deps.http.registerRouteHandlerContext(
+   'myApp',
+   (context, req) => {
+    async function search (id: string) {
+      return await context.elasticsearch.adminClient.callAsInternalUser('endpoint', id);
+    }
+    return { search };
+   }
+ );
+
+// my-route-handler.ts
+ router.get({ path: '/', validate: false }, async (context, req, res) => {
+   const response = await context.myApp.search(...);
+   return res.ok(response);
+ });
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md b/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
index 2818d6ead2c23..2453a6abd2d22 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicestart.islistening.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) &gt; [isListening](./kibana-plugin-server.httpservicestart.islistening.md)
-
-## HttpServiceStart.isListening property
-
-Indicates if http server is listening on a given port
-
-<b>Signature:</b>
-
-```typescript
-isListening: (port: number) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) &gt; [isListening](./kibana-plugin-server.httpservicestart.islistening.md)
+
+## HttpServiceStart.isListening property
+
+Indicates if http server is listening on a given port
+
+<b>Signature:</b>
+
+```typescript
+isListening: (port: number) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.httpservicestart.md b/docs/development/core/server/kibana-plugin-server.httpservicestart.md
index 2c9c4c8408f6b..47d6a4d146686 100644
--- a/docs/development/core/server/kibana-plugin-server.httpservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.httpservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md)
-
-## HttpServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface HttpServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isListening](./kibana-plugin-server.httpservicestart.islistening.md) | <code>(port: number) =&gt; boolean</code> | Indicates if http server is listening on a given port |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [HttpServiceStart](./kibana-plugin-server.httpservicestart.md)
+
+## HttpServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface HttpServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isListening](./kibana-plugin-server.httpservicestart.islistening.md) | <code>(port: number) =&gt; boolean</code> | Indicates if http server is listening on a given port |
+
diff --git a/docs/development/core/server/kibana-plugin-server.ibasepath.md b/docs/development/core/server/kibana-plugin-server.ibasepath.md
index 2baa8d623ce97..d2779a49d3e21 100644
--- a/docs/development/core/server/kibana-plugin-server.ibasepath.md
+++ b/docs/development/core/server/kibana-plugin-server.ibasepath.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IBasePath](./kibana-plugin-server.ibasepath.md)
-
-## IBasePath type
-
-Access or manipulate the Kibana base path
-
-[BasePath](./kibana-plugin-server.basepath.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type IBasePath = Pick<BasePath, keyof BasePath>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IBasePath](./kibana-plugin-server.ibasepath.md)
+
+## IBasePath type
+
+Access or manipulate the Kibana base path
+
+[BasePath](./kibana-plugin-server.basepath.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type IBasePath = Pick<BasePath, keyof BasePath>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iclusterclient.md b/docs/development/core/server/kibana-plugin-server.iclusterclient.md
index e7435a9d91a74..a78ebb1400fdd 100644
--- a/docs/development/core/server/kibana-plugin-server.iclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IClusterClient](./kibana-plugin-server.iclusterclient.md)
-
-## IClusterClient type
-
-Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'asScoped'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IClusterClient](./kibana-plugin-server.iclusterclient.md)
+
+## IClusterClient type
+
+Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'asScoped'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
index 09a9e28d6d0fe..7bc18e819ae44 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.createhandler.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-server.icontextcontainer.createhandler.md)
-
-## IContextContainer.createHandler() method
-
-Create a new handler function pre-wired to context for the plugin.
-
-<b>Signature:</b>
-
-```typescript
-createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
-|  handler | <code>THandler</code> | Handler function to pass context object to. |
-
-<b>Returns:</b>
-
-`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
-
-A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [createHandler](./kibana-plugin-server.icontextcontainer.createhandler.md)
+
+## IContextContainer.createHandler() method
+
+Create a new handler function pre-wired to context for the plugin.
+
+<b>Signature:</b>
+
+```typescript
+createHandler(pluginOpaqueId: PluginOpaqueId, handler: THandler): (...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this handler. |
+|  handler | <code>THandler</code> | Handler function to pass context object to. |
+
+<b>Returns:</b>
+
+`(...rest: HandlerParameters<THandler>) => ShallowPromise<ReturnType<THandler>>`
+
+A function that takes `THandlerParameters`<!-- -->, calls `handler` with a new context, and returns a Promise of the `handler` return value.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
index 8235c40131536..b54b84070b1f8 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.md
@@ -1,80 +1,80 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
-
-## IContextContainer interface
-
-An object that handles registration of context providers and configuring handlers with context.
-
-<b>Signature:</b>
-
-```typescript
-export interface IContextContainer<THandler extends HandlerFunction<any>> 
-```
-
-## Remarks
-
-A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
-
-Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
-
-In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
-
-When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
-
-```ts
-// Correct
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(pluginOpaqueId, contextName, provider) {
-        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
-      },
-      registerRoute(pluginOpaqueId, path, handler) {
-        this.handlers.set(
-          path,
-          this.contextContainer.createHandler(pluginOpaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-// Incorrect
-class MyPlugin {
-  private readonly handlers = new Map();
-
-  constructor(private readonly initContext: PluginInitializerContext) {}
-
-  setup(core) {
-    this.contextContainer = core.context.createContextContainer();
-    return {
-      registerContext(contextName, provider) {
-        // BUG!
-        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
-        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
-      },
-      registerRoute(path, handler) {
-        this.handlers.set(
-          path,
-          // BUG!
-          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
-          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
-        );
-      }
-    }
-  }
-}
-
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-server.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
-|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-server.icontextcontainer.registercontext.md) | Register a new context provider. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md)
+
+## IContextContainer interface
+
+An object that handles registration of context providers and configuring handlers with context.
+
+<b>Signature:</b>
+
+```typescript
+export interface IContextContainer<THandler extends HandlerFunction<any>> 
+```
+
+## Remarks
+
+A [IContextContainer](./kibana-plugin-server.icontextcontainer.md) can be used by any Core service or plugin (known as the "service owner") which wishes to expose APIs in a handler function. The container object will manage registering context providers and configuring a handler with all of the contexts that should be exposed to the handler's plugin. This is dependent on the dependencies that the handler's plugin declares.
+
+Contexts providers are executed in the order they were registered. Each provider gets access to context values provided by any plugins that it depends on.
+
+In order to configure a handler with context, you must call the [IContextContainer.createHandler()](./kibana-plugin-server.icontextcontainer.createhandler.md) function and use the returned handler which will automatically build a context object when called.
+
+When registering context or creating handlers, the \_calling plugin's opaque id\_ must be provided. This id is passed in via the plugin's initializer and can be accessed from the [PluginInitializerContext.opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) Note this should NOT be the context service owner's id, but the plugin that is actually registering the context or handler.
+
+```ts
+// Correct
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(pluginOpaqueId, contextName, provider) {
+        this.contextContainer.registerContext(pluginOpaqueId, contextName, provider);
+      },
+      registerRoute(pluginOpaqueId, path, handler) {
+        this.handlers.set(
+          path,
+          this.contextContainer.createHandler(pluginOpaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+// Incorrect
+class MyPlugin {
+  private readonly handlers = new Map();
+
+  constructor(private readonly initContext: PluginInitializerContext) {}
+
+  setup(core) {
+    this.contextContainer = core.context.createContextContainer();
+    return {
+      registerContext(contextName, provider) {
+        // BUG!
+        // This would leak this context to all handlers rather that only plugins that depend on the calling plugin.
+        this.contextContainer.registerContext(this.initContext.opaqueId, contextName, provider);
+      },
+      registerRoute(path, handler) {
+        this.handlers.set(
+          path,
+          // BUG!
+          // This handler will not receive any contexts provided by other dependencies of the calling plugin.
+          this.contextContainer.createHandler(this.initContext.opaqueId, handler)
+        );
+      }
+    }
+  }
+}
+
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [createHandler(pluginOpaqueId, handler)](./kibana-plugin-server.icontextcontainer.createhandler.md) | Create a new handler function pre-wired to context for the plugin. |
+|  [registerContext(pluginOpaqueId, contextName, provider)](./kibana-plugin-server.icontextcontainer.registercontext.md) | Register a new context provider. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md b/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
index 30d3fc154d1e9..ee2cffdf155a7 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextcontainer.registercontext.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-server.icontextcontainer.registercontext.md)
-
-## IContextContainer.registerContext() method
-
-Register a new context provider.
-
-<b>Signature:</b>
-
-```typescript
-registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
-|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
-|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-server.icontextprovider.md) to be called each time a new context is created. |
-
-<b>Returns:</b>
-
-`this`
-
-The [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for method chaining.
-
-## Remarks
-
-The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
-
-Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextContainer](./kibana-plugin-server.icontextcontainer.md) &gt; [registerContext](./kibana-plugin-server.icontextcontainer.registercontext.md)
+
+## IContextContainer.registerContext() method
+
+Register a new context provider.
+
+<b>Signature:</b>
+
+```typescript
+registerContext<TContextName extends keyof HandlerContextType<THandler>>(pluginOpaqueId: PluginOpaqueId, contextName: TContextName, provider: IContextProvider<THandler, TContextName>): this;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  pluginOpaqueId | <code>PluginOpaqueId</code> | The plugin opaque ID for the plugin that registers this context. |
+|  contextName | <code>TContextName</code> | The key of the <code>TContext</code> object this provider supplies the value for. |
+|  provider | <code>IContextProvider&lt;THandler, TContextName&gt;</code> | A [IContextProvider](./kibana-plugin-server.icontextprovider.md) to be called each time a new context is created. |
+
+<b>Returns:</b>
+
+`this`
+
+The [IContextContainer](./kibana-plugin-server.icontextcontainer.md) for method chaining.
+
+## Remarks
+
+The value (or resolved Promise value) returned by the `provider` function will be attached to the context object on the key specified by `contextName`<!-- -->.
+
+Throws an exception if more than one provider is registered for the same `contextName`<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icontextprovider.md b/docs/development/core/server/kibana-plugin-server.icontextprovider.md
index 39ace8b9bc57e..63c4e1a0f9acf 100644
--- a/docs/development/core/server/kibana-plugin-server.icontextprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.icontextprovider.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextProvider](./kibana-plugin-server.icontextprovider.md)
-
-## IContextProvider type
-
-A function that returns a context value for a specific key of given context type.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
-```
-
-## Remarks
-
-This function will be called each time a new context is built for a handler invocation.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IContextProvider](./kibana-plugin-server.icontextprovider.md)
+
+## IContextProvider type
+
+A function that returns a context value for a specific key of given context type.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IContextProvider<THandler extends HandlerFunction<any>, TContextName extends keyof HandlerContextType<THandler>> = (context: Partial<HandlerContextType<THandler>>, ...rest: HandlerParameters<THandler>) => Promise<HandlerContextType<THandler>[TContextName]> | HandlerContextType<THandler>[TContextName];
+```
+
+## Remarks
+
+This function will be called each time a new context is built for a handler invocation.
+
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.header.md b/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
index d757863fdc12d..444b79b86eb93 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.header.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [header](./kibana-plugin-server.icspconfig.header.md)
-
-## ICspConfig.header property
-
-The CSP rules in a formatted directives string for use in a `Content-Security-Policy` header.
-
-<b>Signature:</b>
-
-```typescript
-readonly header: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [header](./kibana-plugin-server.icspconfig.header.md)
+
+## ICspConfig.header property
+
+The CSP rules in a formatted directives string for use in a `Content-Security-Policy` header.
+
+<b>Signature:</b>
+
+```typescript
+readonly header: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.md b/docs/development/core/server/kibana-plugin-server.icspconfig.md
index fb8188386a376..5d14c20bd8973 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md)
-
-## ICspConfig interface
-
-CSP configuration for use in Kibana.
-
-<b>Signature:</b>
-
-```typescript
-export interface ICspConfig 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [header](./kibana-plugin-server.icspconfig.header.md) | <code>string</code> | The CSP rules in a formatted directives string for use in a <code>Content-Security-Policy</code> header. |
-|  [rules](./kibana-plugin-server.icspconfig.rules.md) | <code>string[]</code> | The CSP rules used for Kibana. |
-|  [strict](./kibana-plugin-server.icspconfig.strict.md) | <code>boolean</code> | Specify whether browsers that do not support CSP should be able to use Kibana. Use <code>true</code> to block and <code>false</code> to allow. |
-|  [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md) | <code>boolean</code> | Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md)
+
+## ICspConfig interface
+
+CSP configuration for use in Kibana.
+
+<b>Signature:</b>
+
+```typescript
+export interface ICspConfig 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [header](./kibana-plugin-server.icspconfig.header.md) | <code>string</code> | The CSP rules in a formatted directives string for use in a <code>Content-Security-Policy</code> header. |
+|  [rules](./kibana-plugin-server.icspconfig.rules.md) | <code>string[]</code> | The CSP rules used for Kibana. |
+|  [strict](./kibana-plugin-server.icspconfig.strict.md) | <code>boolean</code> | Specify whether browsers that do not support CSP should be able to use Kibana. Use <code>true</code> to block and <code>false</code> to allow. |
+|  [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md) | <code>boolean</code> | Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md b/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
index 6216e6d817136..04276e2148a79 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.rules.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [rules](./kibana-plugin-server.icspconfig.rules.md)
-
-## ICspConfig.rules property
-
-The CSP rules used for Kibana.
-
-<b>Signature:</b>
-
-```typescript
-readonly rules: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [rules](./kibana-plugin-server.icspconfig.rules.md)
+
+## ICspConfig.rules property
+
+The CSP rules used for Kibana.
+
+<b>Signature:</b>
+
+```typescript
+readonly rules: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md b/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
index 4ab97ad9f665a..88b25d9c7ea84 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.strict.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [strict](./kibana-plugin-server.icspconfig.strict.md)
-
-## ICspConfig.strict property
-
-Specify whether browsers that do not support CSP should be able to use Kibana. Use `true` to block and `false` to allow.
-
-<b>Signature:</b>
-
-```typescript
-readonly strict: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [strict](./kibana-plugin-server.icspconfig.strict.md)
+
+## ICspConfig.strict property
+
+Specify whether browsers that do not support CSP should be able to use Kibana. Use `true` to block and `false` to allow.
+
+<b>Signature:</b>
+
+```typescript
+readonly strict: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md b/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
index aea35f0569448..b6cd70a7c16e5 100644
--- a/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
+++ b/docs/development/core/server/kibana-plugin-server.icspconfig.warnlegacybrowsers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md)
-
-## ICspConfig.warnLegacyBrowsers property
-
-Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance.
-
-<b>Signature:</b>
-
-```typescript
-readonly warnLegacyBrowsers: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICspConfig](./kibana-plugin-server.icspconfig.md) &gt; [warnLegacyBrowsers](./kibana-plugin-server.icspconfig.warnlegacybrowsers.md)
+
+## ICspConfig.warnLegacyBrowsers property
+
+Specify whether users with legacy browsers should be warned about their lack of Kibana security compliance.
+
+<b>Signature:</b>
+
+```typescript
+readonly warnLegacyBrowsers: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md b/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
index d7511a119fc0f..888d4a1aa3454 100644
--- a/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.icustomclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md)
-
-## ICustomClusterClient type
-
-Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
-
-See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ICustomClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'close' | 'asScoped'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md)
+
+## ICustomClusterClient type
+
+Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via `asScoped(...)`<!-- -->).
+
+See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ICustomClusterClient = Pick<ClusterClient, 'callAsInternalUser' | 'close' | 'asScoped'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
index 4971d6eb97a28..6c1ded748cf54 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md)
-
-## IKibanaResponse interface
-
-A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution
-
-<b>Signature:</b>
-
-```typescript
-export interface IKibanaResponse<T extends HttpResponsePayload | ResponseError = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [options](./kibana-plugin-server.ikibanaresponse.options.md) | <code>HttpResponseOptions</code> |  |
-|  [payload](./kibana-plugin-server.ikibanaresponse.payload.md) | <code>T</code> |  |
-|  [status](./kibana-plugin-server.ikibanaresponse.status.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md)
+
+## IKibanaResponse interface
+
+A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution
+
+<b>Signature:</b>
+
+```typescript
+export interface IKibanaResponse<T extends HttpResponsePayload | ResponseError = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [options](./kibana-plugin-server.ikibanaresponse.options.md) | <code>HttpResponseOptions</code> |  |
+|  [payload](./kibana-plugin-server.ikibanaresponse.payload.md) | <code>T</code> |  |
+|  [status](./kibana-plugin-server.ikibanaresponse.status.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
index 988d873c088fe..0d14a4ac2d873 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.options.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [options](./kibana-plugin-server.ikibanaresponse.options.md)
-
-## IKibanaResponse.options property
-
-<b>Signature:</b>
-
-```typescript
-readonly options: HttpResponseOptions;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [options](./kibana-plugin-server.ikibanaresponse.options.md)
+
+## IKibanaResponse.options property
+
+<b>Signature:</b>
+
+```typescript
+readonly options: HttpResponseOptions;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
index f1d10c5d22a42..8285a68e7780b 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.payload.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [payload](./kibana-plugin-server.ikibanaresponse.payload.md)
-
-## IKibanaResponse.payload property
-
-<b>Signature:</b>
-
-```typescript
-readonly payload?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [payload](./kibana-plugin-server.ikibanaresponse.payload.md)
+
+## IKibanaResponse.payload property
+
+<b>Signature:</b>
+
+```typescript
+readonly payload?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
index b766ff66c357f..5ffc8330aadf9 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanaresponse.status.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [status](./kibana-plugin-server.ikibanaresponse.status.md)
-
-## IKibanaResponse.status property
-
-<b>Signature:</b>
-
-```typescript
-readonly status: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) &gt; [status](./kibana-plugin-server.ikibanaresponse.status.md)
+
+## IKibanaResponse.status property
+
+<b>Signature:</b>
+
+```typescript
+readonly status: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
index 0629b8e2b9ade..aa1d72f5f104c 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorizationerror.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md)
-
-## IKibanaSocket.authorizationError property
-
-The reason why the peer's certificate has not been verified. This property becomes available only when `authorized` is `false`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly authorizationError?: Error;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md)
+
+## IKibanaSocket.authorizationError property
+
+The reason why the peer's certificate has not been verified. This property becomes available only when `authorized` is `false`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly authorizationError?: Error;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
index abb68f8e8f0e0..8cd608e4ea611 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.authorized.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorized](./kibana-plugin-server.ikibanasocket.authorized.md)
-
-## IKibanaSocket.authorized property
-
-Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is `undefined`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-readonly authorized?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [authorized](./kibana-plugin-server.ikibanasocket.authorized.md)
+
+## IKibanaSocket.authorized property
+
+Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is `undefined`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+readonly authorized?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
index 8bd8f900579ea..e1b07393cd92d 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed: true): DetailedPeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>true</code> |  |
-
-<b>Returns:</b>
-
-`DetailedPeerCertificate | null`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed: true): DetailedPeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>true</code> |  |
+
+<b>Returns:</b>
+
+`DetailedPeerCertificate | null`
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
index 5ac763032e72b..90e02fd5c53bb 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_1.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed: false): PeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>false</code> |  |
-
-<b>Returns:</b>
-
-`PeerCertificate | null`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed: false): PeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>false</code> |  |
+
+<b>Returns:</b>
+
+`PeerCertificate | null`
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
index 19d2dc137d257..20a99d1639fdd 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.getpeercertificate_2.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md)
-
-## IKibanaSocket.getPeerCertificate() method
-
-Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null.
-
-<b>Signature:</b>
-
-```typescript
-getPeerCertificate(detailed?: boolean): PeerCertificate | DetailedPeerCertificate | null;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  detailed | <code>boolean</code> | If true; the full chain with issuer property will be returned. |
-
-<b>Returns:</b>
-
-`PeerCertificate | DetailedPeerCertificate | null`
-
-An object representing the peer's certificate.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) &gt; [getPeerCertificate](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md)
+
+## IKibanaSocket.getPeerCertificate() method
+
+Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null.
+
+<b>Signature:</b>
+
+```typescript
+getPeerCertificate(detailed?: boolean): PeerCertificate | DetailedPeerCertificate | null;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  detailed | <code>boolean</code> | If true; the full chain with issuer property will be returned. |
+
+<b>Returns:</b>
+
+`PeerCertificate | DetailedPeerCertificate | null`
+
+An object representing the peer's certificate.
+
diff --git a/docs/development/core/server/kibana-plugin-server.ikibanasocket.md b/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
index 2718111fb0fb3..d69e194d2246b 100644
--- a/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
+++ b/docs/development/core/server/kibana-plugin-server.ikibanasocket.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
-
-## IKibanaSocket interface
-
-A tiny abstraction for TCP socket.
-
-<b>Signature:</b>
-
-```typescript
-export interface IKibanaSocket 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md) | <code>Error</code> | The reason why the peer's certificate has not been verified. This property becomes available only when <code>authorized</code> is <code>false</code>. |
-|  [authorized](./kibana-plugin-server.ikibanasocket.authorized.md) | <code>boolean</code> | Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is <code>undefined</code>. |
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate.md) |  |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md) |  |
-|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md) | Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
+
+## IKibanaSocket interface
+
+A tiny abstraction for TCP socket.
+
+<b>Signature:</b>
+
+```typescript
+export interface IKibanaSocket 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authorizationError](./kibana-plugin-server.ikibanasocket.authorizationerror.md) | <code>Error</code> | The reason why the peer's certificate has not been verified. This property becomes available only when <code>authorized</code> is <code>false</code>. |
+|  [authorized](./kibana-plugin-server.ikibanasocket.authorized.md) | <code>boolean</code> | Indicates whether or not the peer certificate was signed by one of the specified CAs. When TLS isn't used the value is <code>undefined</code>. |
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate.md) |  |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_1.md) |  |
+|  [getPeerCertificate(detailed)](./kibana-plugin-server.ikibanasocket.getpeercertificate_2.md) | Returns an object representing the peer's certificate. The returned object has some properties corresponding to the field of the certificate. If detailed argument is true the full chain with issuer property will be returned, if false only the top certificate without issuer property. If the peer does not provide a certificate, it returns null. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md b/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
index 9b03924ad2e0f..058c9f61c206b 100644
--- a/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
+++ b/docs/development/core/server/kibana-plugin-server.imagevalidation.maxsize.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md) &gt; [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md)
-
-## ImageValidation.maxSize property
-
-<b>Signature:</b>
-
-```typescript
-maxSize: {
-        length: number;
-        description: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md) &gt; [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md)
+
+## ImageValidation.maxSize property
+
+<b>Signature:</b>
+
+```typescript
+maxSize: {
+        length: number;
+        description: string;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.imagevalidation.md b/docs/development/core/server/kibana-plugin-server.imagevalidation.md
index 0c3e59cc783f9..cd39b6ef4e796 100644
--- a/docs/development/core/server/kibana-plugin-server.imagevalidation.md
+++ b/docs/development/core/server/kibana-plugin-server.imagevalidation.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md)
-
-## ImageValidation interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface ImageValidation 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ImageValidation](./kibana-plugin-server.imagevalidation.md)
+
+## ImageValidation interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface ImageValidation 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [maxSize](./kibana-plugin-server.imagevalidation.maxsize.md) | <code>{</code><br/><code>        length: number;</code><br/><code>        description: string;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md b/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
index 66b15e532e2ad..800f9c4298426 100644
--- a/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.indexsettingsdeprecationinfo.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md)
-
-## IndexSettingsDeprecationInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IndexSettingsDeprecationInfo 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md)
+
+## IndexSettingsDeprecationInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IndexSettingsDeprecationInfo 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md b/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
index cedf3d27d0887..a3ae5724b1854 100644
--- a/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
+++ b/docs/development/core/server/kibana-plugin-server.irenderoptions.includeusersettings.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md) &gt; [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md)
-
-## IRenderOptions.includeUserSettings property
-
-Set whether to output user settings in the page metadata. `true` by default.
-
-<b>Signature:</b>
-
-```typescript
-includeUserSettings?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md) &gt; [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md)
+
+## IRenderOptions.includeUserSettings property
+
+Set whether to output user settings in the page metadata. `true` by default.
+
+<b>Signature:</b>
+
+```typescript
+includeUserSettings?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irenderoptions.md b/docs/development/core/server/kibana-plugin-server.irenderoptions.md
index 34bed8b5e078c..27e462b58849d 100644
--- a/docs/development/core/server/kibana-plugin-server.irenderoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.irenderoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md)
-
-## IRenderOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IRenderOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md) | <code>boolean</code> | Set whether to output user settings in the page metadata. <code>true</code> by default. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRenderOptions](./kibana-plugin-server.irenderoptions.md)
+
+## IRenderOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IRenderOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [includeUserSettings](./kibana-plugin-server.irenderoptions.includeusersettings.md) | <code>boolean</code> | Set whether to output user settings in the page metadata. <code>true</code> by default. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.delete.md b/docs/development/core/server/kibana-plugin-server.irouter.delete.md
index a479c03ecede3..0b87dbcda3316 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.delete.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [delete](./kibana-plugin-server.irouter.delete.md)
-
-## IRouter.delete property
-
-Register a route handler for `DELETE` request.
-
-<b>Signature:</b>
-
-```typescript
-delete: RouteRegistrar<'delete'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [delete](./kibana-plugin-server.irouter.delete.md)
+
+## IRouter.delete property
+
+Register a route handler for `DELETE` request.
+
+<b>Signature:</b>
+
+```typescript
+delete: RouteRegistrar<'delete'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.get.md b/docs/development/core/server/kibana-plugin-server.irouter.get.md
index 0d52ef26f008c..e6f80378e007d 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.get.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [get](./kibana-plugin-server.irouter.get.md)
-
-## IRouter.get property
-
-Register a route handler for `GET` request.
-
-<b>Signature:</b>
-
-```typescript
-get: RouteRegistrar<'get'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [get](./kibana-plugin-server.irouter.get.md)
+
+## IRouter.get property
+
+Register a route handler for `GET` request.
+
+<b>Signature:</b>
+
+```typescript
+get: RouteRegistrar<'get'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md b/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
index ff71f13466cf8..86679d1f0c0c0 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.handlelegacyerrors.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md)
-
-## IRouter.handleLegacyErrors property
-
-Wrap a router handler to catch and converts legacy boom errors to proper custom errors.
-
-<b>Signature:</b>
-
-```typescript
-handleLegacyErrors: <P, Q, B>(handler: RequestHandler<P, Q, B>) => RequestHandler<P, Q, B>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md)
+
+## IRouter.handleLegacyErrors property
+
+Wrap a router handler to catch and converts legacy boom errors to proper custom errors.
+
+<b>Signature:</b>
+
+```typescript
+handleLegacyErrors: <P, Q, B>(handler: RequestHandler<P, Q, B>) => RequestHandler<P, Q, B>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.md b/docs/development/core/server/kibana-plugin-server.irouter.md
index a6536d2ed6763..3d82cd8245141 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md)
-
-## IRouter interface
-
-Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations.
-
-<b>Signature:</b>
-
-```typescript
-export interface IRouter 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [delete](./kibana-plugin-server.irouter.delete.md) | <code>RouteRegistrar&lt;'delete'&gt;</code> | Register a route handler for <code>DELETE</code> request. |
-|  [get](./kibana-plugin-server.irouter.get.md) | <code>RouteRegistrar&lt;'get'&gt;</code> | Register a route handler for <code>GET</code> request. |
-|  [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md) | <code>&lt;P, Q, B&gt;(handler: RequestHandler&lt;P, Q, B&gt;) =&gt; RequestHandler&lt;P, Q, B&gt;</code> | Wrap a router handler to catch and converts legacy boom errors to proper custom errors. |
-|  [patch](./kibana-plugin-server.irouter.patch.md) | <code>RouteRegistrar&lt;'patch'&gt;</code> | Register a route handler for <code>PATCH</code> request. |
-|  [post](./kibana-plugin-server.irouter.post.md) | <code>RouteRegistrar&lt;'post'&gt;</code> | Register a route handler for <code>POST</code> request. |
-|  [put](./kibana-plugin-server.irouter.put.md) | <code>RouteRegistrar&lt;'put'&gt;</code> | Register a route handler for <code>PUT</code> request. |
-|  [routerPath](./kibana-plugin-server.irouter.routerpath.md) | <code>string</code> | Resulted path |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md)
+
+## IRouter interface
+
+Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations.
+
+<b>Signature:</b>
+
+```typescript
+export interface IRouter 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [delete](./kibana-plugin-server.irouter.delete.md) | <code>RouteRegistrar&lt;'delete'&gt;</code> | Register a route handler for <code>DELETE</code> request. |
+|  [get](./kibana-plugin-server.irouter.get.md) | <code>RouteRegistrar&lt;'get'&gt;</code> | Register a route handler for <code>GET</code> request. |
+|  [handleLegacyErrors](./kibana-plugin-server.irouter.handlelegacyerrors.md) | <code>&lt;P, Q, B&gt;(handler: RequestHandler&lt;P, Q, B&gt;) =&gt; RequestHandler&lt;P, Q, B&gt;</code> | Wrap a router handler to catch and converts legacy boom errors to proper custom errors. |
+|  [patch](./kibana-plugin-server.irouter.patch.md) | <code>RouteRegistrar&lt;'patch'&gt;</code> | Register a route handler for <code>PATCH</code> request. |
+|  [post](./kibana-plugin-server.irouter.post.md) | <code>RouteRegistrar&lt;'post'&gt;</code> | Register a route handler for <code>POST</code> request. |
+|  [put](./kibana-plugin-server.irouter.put.md) | <code>RouteRegistrar&lt;'put'&gt;</code> | Register a route handler for <code>PUT</code> request. |
+|  [routerPath](./kibana-plugin-server.irouter.routerpath.md) | <code>string</code> | Resulted path |
+
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.patch.md b/docs/development/core/server/kibana-plugin-server.irouter.patch.md
index 460f1b9d23640..ef7ea6f18d646 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.patch.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.patch.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [patch](./kibana-plugin-server.irouter.patch.md)
-
-## IRouter.patch property
-
-Register a route handler for `PATCH` request.
-
-<b>Signature:</b>
-
-```typescript
-patch: RouteRegistrar<'patch'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [patch](./kibana-plugin-server.irouter.patch.md)
+
+## IRouter.patch property
+
+Register a route handler for `PATCH` request.
+
+<b>Signature:</b>
+
+```typescript
+patch: RouteRegistrar<'patch'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.post.md b/docs/development/core/server/kibana-plugin-server.irouter.post.md
index a2ac27ebc731a..6e4a858cd342c 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.post.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.post.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [post](./kibana-plugin-server.irouter.post.md)
-
-## IRouter.post property
-
-Register a route handler for `POST` request.
-
-<b>Signature:</b>
-
-```typescript
-post: RouteRegistrar<'post'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [post](./kibana-plugin-server.irouter.post.md)
+
+## IRouter.post property
+
+Register a route handler for `POST` request.
+
+<b>Signature:</b>
+
+```typescript
+post: RouteRegistrar<'post'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.put.md b/docs/development/core/server/kibana-plugin-server.irouter.put.md
index 219c5d8805661..be6c235250fdd 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.put.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.put.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [put](./kibana-plugin-server.irouter.put.md)
-
-## IRouter.put property
-
-Register a route handler for `PUT` request.
-
-<b>Signature:</b>
-
-```typescript
-put: RouteRegistrar<'put'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [put](./kibana-plugin-server.irouter.put.md)
+
+## IRouter.put property
+
+Register a route handler for `PUT` request.
+
+<b>Signature:</b>
+
+```typescript
+put: RouteRegistrar<'put'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md b/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
index ab1b4a6baa7e9..0b777ae056d1a 100644
--- a/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
+++ b/docs/development/core/server/kibana-plugin-server.irouter.routerpath.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [routerPath](./kibana-plugin-server.irouter.routerpath.md)
-
-## IRouter.routerPath property
-
-Resulted path
-
-<b>Signature:</b>
-
-```typescript
-routerPath: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IRouter](./kibana-plugin-server.irouter.md) &gt; [routerPath](./kibana-plugin-server.irouter.routerpath.md)
+
+## IRouter.routerPath property
+
+Resulted path
+
+<b>Signature:</b>
+
+```typescript
+routerPath: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.isauthenticated.md b/docs/development/core/server/kibana-plugin-server.isauthenticated.md
index c927b6bea926c..bcc82bc614952 100644
--- a/docs/development/core/server/kibana-plugin-server.isauthenticated.md
+++ b/docs/development/core/server/kibana-plugin-server.isauthenticated.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IsAuthenticated](./kibana-plugin-server.isauthenticated.md)
-
-## IsAuthenticated type
-
-Returns authentication status for a request.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IsAuthenticated = (request: KibanaRequest | LegacyRequest) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IsAuthenticated](./kibana-plugin-server.isauthenticated.md)
+
+## IsAuthenticated type
+
+Returns authentication status for a request.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IsAuthenticated = (request: KibanaRequest | LegacyRequest) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md b/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
index 7863d1b0ca49d..e6121a2087569 100644
--- a/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.isavedobjectsrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md)
-
-## ISavedObjectsRepository type
-
-See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type ISavedObjectsRepository = Pick<SavedObjectsRepository, keyof SavedObjectsRepository>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md)
+
+## ISavedObjectsRepository type
+
+See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type ISavedObjectsRepository = Pick<SavedObjectsRepository, keyof SavedObjectsRepository>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md b/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
index becd1d26d2473..54320473e0400 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedclusterclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md)
-
-## IScopedClusterClient type
-
-Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
-
-See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type IScopedClusterClient = Pick<ScopedClusterClient, 'callAsCurrentUser' | 'callAsInternalUser'>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md)
+
+## IScopedClusterClient type
+
+Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
+
+See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type IScopedClusterClient = Pick<ScopedClusterClient, 'callAsCurrentUser' | 'callAsInternalUser'>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
index 2e6daa58db25f..ad21f573d2048 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md)
-
-## IScopedRenderingClient interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface IScopedRenderingClient 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [render(options)](./kibana-plugin-server.iscopedrenderingclient.render.md) | Generate a <code>KibanaResponse</code> which renders an HTML page bootstrapped with the <code>core</code> bundle. Intended as a response body for HTTP route handlers. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md)
+
+## IScopedRenderingClient interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface IScopedRenderingClient 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [render(options)](./kibana-plugin-server.iscopedrenderingclient.render.md) | Generate a <code>KibanaResponse</code> which renders an HTML page bootstrapped with the <code>core</code> bundle. Intended as a response body for HTTP route handlers. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
index 42cbc59c536a6..107df060ad306 100644
--- a/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
+++ b/docs/development/core/server/kibana-plugin-server.iscopedrenderingclient.render.md
@@ -1,41 +1,41 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) &gt; [render](./kibana-plugin-server.iscopedrenderingclient.render.md)
-
-## IScopedRenderingClient.render() method
-
-Generate a `KibanaResponse` which renders an HTML page bootstrapped with the `core` bundle. Intended as a response body for HTTP route handlers.
-
-<b>Signature:</b>
-
-```typescript
-render(options?: Pick<IRenderOptions, 'includeUserSettings'>): Promise<string>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  options | <code>Pick&lt;IRenderOptions, 'includeUserSettings'&gt;</code> |  |
-
-<b>Returns:</b>
-
-`Promise<string>`
-
-## Example
-
-
-```ts
-router.get(
-  { path: '/', validate: false },
-  (context, request, response) =>
-    response.ok({
-      body: await context.core.rendering.render(),
-      headers: {
-        'content-security-policy': context.core.http.csp.header,
-      },
-    })
-);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) &gt; [render](./kibana-plugin-server.iscopedrenderingclient.render.md)
+
+## IScopedRenderingClient.render() method
+
+Generate a `KibanaResponse` which renders an HTML page bootstrapped with the `core` bundle. Intended as a response body for HTTP route handlers.
+
+<b>Signature:</b>
+
+```typescript
+render(options?: Pick<IRenderOptions, 'includeUserSettings'>): Promise<string>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  options | <code>Pick&lt;IRenderOptions, 'includeUserSettings'&gt;</code> |  |
+
+<b>Returns:</b>
+
+`Promise<string>`
+
+## Example
+
+
+```ts
+router.get(
+  { path: '/', validate: false },
+  (context, request, response) =>
+    response.ok({
+      body: await context.core.rendering.render(),
+      headers: {
+        'content-security-policy': context.core.http.csp.header,
+      },
+    })
+);
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
index a73061f457a4b..aa266dc06429e 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.get.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [get](./kibana-plugin-server.iuisettingsclient.get.md)
-
-## IUiSettingsClient.get property
-
-Retrieves uiSettings values set by the user with fallbacks to default values if not specified.
-
-<b>Signature:</b>
-
-```typescript
-get: <T = any>(key: string) => Promise<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [get](./kibana-plugin-server.iuisettingsclient.get.md)
+
+## IUiSettingsClient.get property
+
+Retrieves uiSettings values set by the user with fallbacks to default values if not specified.
+
+<b>Signature:</b>
+
+```typescript
+get: <T = any>(key: string) => Promise<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
index 600116b86d1c0..a7d7550c272e1 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getall.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-server.iuisettingsclient.getall.md)
-
-## IUiSettingsClient.getAll property
-
-Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified.
-
-<b>Signature:</b>
-
-```typescript
-getAll: <T = any>() => Promise<Record<string, T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getAll](./kibana-plugin-server.iuisettingsclient.getall.md)
+
+## IUiSettingsClient.getAll property
+
+Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified.
+
+<b>Signature:</b>
+
+```typescript
+getAll: <T = any>() => Promise<Record<string, T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
index 16ae4c3dd8b36..ca2649aeec02e 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getregistered.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md)
-
-## IUiSettingsClient.getRegistered property
-
-Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
-
-<b>Signature:</b>
-
-```typescript
-getRegistered: () => Readonly<Record<string, UiSettingsParams>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md)
+
+## IUiSettingsClient.getRegistered property
+
+Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
+
+<b>Signature:</b>
+
+```typescript
+getRegistered: () => Readonly<Record<string, UiSettingsParams>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
index 94b7575519cee..5828b2718fc43 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.getuserprovided.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md)
-
-## IUiSettingsClient.getUserProvided property
-
-Retrieves a set of all uiSettings values set by the user.
-
-<b>Signature:</b>
-
-```typescript
-getUserProvided: <T = any>() => Promise<Record<string, UserProvidedValues<T>>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md)
+
+## IUiSettingsClient.getUserProvided property
+
+Retrieves a set of all uiSettings values set by the user.
+
+<b>Signature:</b>
+
+```typescript
+getUserProvided: <T = any>() => Promise<Record<string, UserProvidedValues<T>>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
index a53655763a79b..447aa3278b0ee 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.isoverridden.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md)
-
-## IUiSettingsClient.isOverridden property
-
-Shows whether the uiSettings value set by the user.
-
-<b>Signature:</b>
-
-```typescript
-isOverridden: (key: string) => boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md)
+
+## IUiSettingsClient.isOverridden property
+
+Shows whether the uiSettings value set by the user.
+
+<b>Signature:</b>
+
+```typescript
+isOverridden: (key: string) => boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
index c254321e02291..f25da163758a1 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md)
-
-## IUiSettingsClient interface
-
-Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI.
-
-<b>Signature:</b>
-
-```typescript
-export interface IUiSettingsClient 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [get](./kibana-plugin-server.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string) =&gt; Promise&lt;T&gt;</code> | Retrieves uiSettings values set by the user with fallbacks to default values if not specified. |
-|  [getAll](./kibana-plugin-server.iuisettingsclient.getall.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, T&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified. |
-|  [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams&gt;&gt;</code> | Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) |
-|  [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, UserProvidedValues&lt;T&gt;&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user. |
-|  [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
-|  [remove](./kibana-plugin-server.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;void&gt;</code> | Removes uiSettings value by key. |
-|  [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md) | <code>(keys: string[]) =&gt; Promise&lt;void&gt;</code> | Removes multiple uiSettings values by keys. |
-|  [set](./kibana-plugin-server.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;void&gt;</code> | Writes uiSettings value and marks it as set by the user. |
-|  [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md) | <code>(changes: Record&lt;string, any&gt;) =&gt; Promise&lt;void&gt;</code> | Writes multiple uiSettings values and marks them as set by the user. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md)
+
+## IUiSettingsClient interface
+
+Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI.
+
+<b>Signature:</b>
+
+```typescript
+export interface IUiSettingsClient 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [get](./kibana-plugin-server.iuisettingsclient.get.md) | <code>&lt;T = any&gt;(key: string) =&gt; Promise&lt;T&gt;</code> | Retrieves uiSettings values set by the user with fallbacks to default values if not specified. |
+|  [getAll](./kibana-plugin-server.iuisettingsclient.getall.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, T&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user with fallbacks to default values if not specified. |
+|  [getRegistered](./kibana-plugin-server.iuisettingsclient.getregistered.md) | <code>() =&gt; Readonly&lt;Record&lt;string, UiSettingsParams&gt;&gt;</code> | Returns registered uiSettings values [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) |
+|  [getUserProvided](./kibana-plugin-server.iuisettingsclient.getuserprovided.md) | <code>&lt;T = any&gt;() =&gt; Promise&lt;Record&lt;string, UserProvidedValues&lt;T&gt;&gt;&gt;</code> | Retrieves a set of all uiSettings values set by the user. |
+|  [isOverridden](./kibana-plugin-server.iuisettingsclient.isoverridden.md) | <code>(key: string) =&gt; boolean</code> | Shows whether the uiSettings value set by the user. |
+|  [remove](./kibana-plugin-server.iuisettingsclient.remove.md) | <code>(key: string) =&gt; Promise&lt;void&gt;</code> | Removes uiSettings value by key. |
+|  [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md) | <code>(keys: string[]) =&gt; Promise&lt;void&gt;</code> | Removes multiple uiSettings values by keys. |
+|  [set](./kibana-plugin-server.iuisettingsclient.set.md) | <code>(key: string, value: any) =&gt; Promise&lt;void&gt;</code> | Writes uiSettings value and marks it as set by the user. |
+|  [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md) | <code>(changes: Record&lt;string, any&gt;) =&gt; Promise&lt;void&gt;</code> | Writes multiple uiSettings values and marks them as set by the user. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
index fa15b11fd76e4..8ef4072479600 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.remove.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [remove](./kibana-plugin-server.iuisettingsclient.remove.md)
-
-## IUiSettingsClient.remove property
-
-Removes uiSettings value by key.
-
-<b>Signature:</b>
-
-```typescript
-remove: (key: string) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [remove](./kibana-plugin-server.iuisettingsclient.remove.md)
+
+## IUiSettingsClient.remove property
+
+Removes uiSettings value by key.
+
+<b>Signature:</b>
+
+```typescript
+remove: (key: string) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
index ef5f994707aae..850d51d041900 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.removemany.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md)
-
-## IUiSettingsClient.removeMany property
-
-Removes multiple uiSettings values by keys.
-
-<b>Signature:</b>
-
-```typescript
-removeMany: (keys: string[]) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [removeMany](./kibana-plugin-server.iuisettingsclient.removemany.md)
+
+## IUiSettingsClient.removeMany property
+
+Removes multiple uiSettings values by keys.
+
+<b>Signature:</b>
+
+```typescript
+removeMany: (keys: string[]) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
index 5d5897a7159ad..e647948f416a8 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.set.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [set](./kibana-plugin-server.iuisettingsclient.set.md)
-
-## IUiSettingsClient.set property
-
-Writes uiSettings value and marks it as set by the user.
-
-<b>Signature:</b>
-
-```typescript
-set: (key: string, value: any) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [set](./kibana-plugin-server.iuisettingsclient.set.md)
+
+## IUiSettingsClient.set property
+
+Writes uiSettings value and marks it as set by the user.
+
+<b>Signature:</b>
+
+```typescript
+set: (key: string, value: any) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
index e1d2595d8e1c7..a724427fe5e16 100644
--- a/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
+++ b/docs/development/core/server/kibana-plugin-server.iuisettingsclient.setmany.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md)
-
-## IUiSettingsClient.setMany property
-
-Writes multiple uiSettings values and marks them as set by the user.
-
-<b>Signature:</b>
-
-```typescript
-setMany: (changes: Record<string, any>) => Promise<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) &gt; [setMany](./kibana-plugin-server.iuisettingsclient.setmany.md)
+
+## IUiSettingsClient.setMany property
+
+Writes multiple uiSettings values and marks them as set by the user.
+
+<b>Signature:</b>
+
+```typescript
+setMany: (changes: Record<string, any>) => Promise<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md b/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
index 1ef6beb82ea98..9d96515f3e2a0 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest._constructor_.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [(constructor)](./kibana-plugin-server.kibanarequest._constructor_.md)
-
-## KibanaRequest.(constructor)
-
-Constructs a new instance of the `KibanaRequest` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(request: Request, params: Params, query: Query, body: Body, withoutSecretHeaders: boolean);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  request | <code>Request</code> |  |
-|  params | <code>Params</code> |  |
-|  query | <code>Query</code> |  |
-|  body | <code>Body</code> |  |
-|  withoutSecretHeaders | <code>boolean</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [(constructor)](./kibana-plugin-server.kibanarequest._constructor_.md)
+
+## KibanaRequest.(constructor)
+
+Constructs a new instance of the `KibanaRequest` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(request: Request, params: Params, query: Query, body: Body, withoutSecretHeaders: boolean);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  request | <code>Request</code> |  |
+|  params | <code>Params</code> |  |
+|  query | <code>Query</code> |  |
+|  body | <code>Body</code> |  |
+|  withoutSecretHeaders | <code>boolean</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
index b1284f58c6815..cd19639fc5af2 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.body.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [body](./kibana-plugin-server.kibanarequest.body.md)
-
-## KibanaRequest.body property
-
-<b>Signature:</b>
-
-```typescript
-readonly body: Body;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [body](./kibana-plugin-server.kibanarequest.body.md)
+
+## KibanaRequest.body property
+
+<b>Signature:</b>
+
+```typescript
+readonly body: Body;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
index 5a002fc28f5db..f9056075ef7f8 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.events.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [events](./kibana-plugin-server.kibanarequest.events.md)
-
-## KibanaRequest.events property
-
-Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
-
-<b>Signature:</b>
-
-```typescript
-readonly events: KibanaRequestEvents;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [events](./kibana-plugin-server.kibanarequest.events.md)
+
+## KibanaRequest.events property
+
+Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
+
+<b>Signature:</b>
+
+```typescript
+readonly events: KibanaRequestEvents;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
index 8bd50e23608de..a5a2cf0d6c314 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.headers.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [headers](./kibana-plugin-server.kibanarequest.headers.md)
-
-## KibanaRequest.headers property
-
-Readonly copy of incoming request headers.
-
-<b>Signature:</b>
-
-```typescript
-readonly headers: Headers;
-```
-
-## Remarks
-
-This property will contain a `filtered` copy of request headers.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [headers](./kibana-plugin-server.kibanarequest.headers.md)
+
+## KibanaRequest.headers property
+
+Readonly copy of incoming request headers.
+
+<b>Signature:</b>
+
+```typescript
+readonly headers: Headers;
+```
+
+## Remarks
+
+This property will contain a `filtered` copy of request headers.
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
index f6178d6eee56e..a643c70632d53 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.issystemrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md)
-
-## KibanaRequest.isSystemRequest property
-
-Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the `HttpFetchOptions#asSystemRequest` option.
-
-<b>Signature:</b>
-
-```typescript
-readonly isSystemRequest: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md)
+
+## KibanaRequest.isSystemRequest property
+
+Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the `HttpFetchOptions#asSystemRequest` option.
+
+<b>Signature:</b>
+
+```typescript
+readonly isSystemRequest: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.md
index bd02c4b9bc155..cb6745623e381 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.md
@@ -1,34 +1,34 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md)
-
-## KibanaRequest class
-
-Kibana specific abstraction for an incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export declare class KibanaRequest<Params = unknown, Query = unknown, Body = unknown, Method extends RouteMethod = any> 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(request, params, query, body, withoutSecretHeaders)](./kibana-plugin-server.kibanarequest._constructor_.md) |  | Constructs a new instance of the <code>KibanaRequest</code> class |
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [body](./kibana-plugin-server.kibanarequest.body.md) |  | <code>Body</code> |  |
-|  [events](./kibana-plugin-server.kibanarequest.events.md) |  | <code>KibanaRequestEvents</code> | Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) |
-|  [headers](./kibana-plugin-server.kibanarequest.headers.md) |  | <code>Headers</code> | Readonly copy of incoming request headers. |
-|  [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md) |  | <code>boolean</code> | Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the <code>HttpFetchOptions#asSystemRequest</code> option. |
-|  [params](./kibana-plugin-server.kibanarequest.params.md) |  | <code>Params</code> |  |
-|  [query](./kibana-plugin-server.kibanarequest.query.md) |  | <code>Query</code> |  |
-|  [route](./kibana-plugin-server.kibanarequest.route.md) |  | <code>RecursiveReadonly&lt;KibanaRequestRoute&lt;Method&gt;&gt;</code> | matched route details |
-|  [socket](./kibana-plugin-server.kibanarequest.socket.md) |  | <code>IKibanaSocket</code> | [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) |
-|  [url](./kibana-plugin-server.kibanarequest.url.md) |  | <code>Url</code> | a WHATWG URL standard object. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md)
+
+## KibanaRequest class
+
+Kibana specific abstraction for an incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export declare class KibanaRequest<Params = unknown, Query = unknown, Body = unknown, Method extends RouteMethod = any> 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(request, params, query, body, withoutSecretHeaders)](./kibana-plugin-server.kibanarequest._constructor_.md) |  | Constructs a new instance of the <code>KibanaRequest</code> class |
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [body](./kibana-plugin-server.kibanarequest.body.md) |  | <code>Body</code> |  |
+|  [events](./kibana-plugin-server.kibanarequest.events.md) |  | <code>KibanaRequestEvents</code> | Request events [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) |
+|  [headers](./kibana-plugin-server.kibanarequest.headers.md) |  | <code>Headers</code> | Readonly copy of incoming request headers. |
+|  [isSystemRequest](./kibana-plugin-server.kibanarequest.issystemrequest.md) |  | <code>boolean</code> | Whether or not the request is a "system request" rather than an application-level request. Can be set on the client using the <code>HttpFetchOptions#asSystemRequest</code> option. |
+|  [params](./kibana-plugin-server.kibanarequest.params.md) |  | <code>Params</code> |  |
+|  [query](./kibana-plugin-server.kibanarequest.query.md) |  | <code>Query</code> |  |
+|  [route](./kibana-plugin-server.kibanarequest.route.md) |  | <code>RecursiveReadonly&lt;KibanaRequestRoute&lt;Method&gt;&gt;</code> | matched route details |
+|  [socket](./kibana-plugin-server.kibanarequest.socket.md) |  | <code>IKibanaSocket</code> | [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) |
+|  [url](./kibana-plugin-server.kibanarequest.url.md) |  | <code>Url</code> | a WHATWG URL standard object. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
index c8902be737d81..37f4a3a28a41a 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.params.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [params](./kibana-plugin-server.kibanarequest.params.md)
-
-## KibanaRequest.params property
-
-<b>Signature:</b>
-
-```typescript
-readonly params: Params;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [params](./kibana-plugin-server.kibanarequest.params.md)
+
+## KibanaRequest.params property
+
+<b>Signature:</b>
+
+```typescript
+readonly params: Params;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
index 30a5739676403..3ec5d877283b3 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.query.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [query](./kibana-plugin-server.kibanarequest.query.md)
-
-## KibanaRequest.query property
-
-<b>Signature:</b>
-
-```typescript
-readonly query: Query;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [query](./kibana-plugin-server.kibanarequest.query.md)
+
+## KibanaRequest.query property
+
+<b>Signature:</b>
+
+```typescript
+readonly query: Query;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
index 1905070a99068..fb71327a7d129 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.route.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [route](./kibana-plugin-server.kibanarequest.route.md)
-
-## KibanaRequest.route property
-
-matched route details
-
-<b>Signature:</b>
-
-```typescript
-readonly route: RecursiveReadonly<KibanaRequestRoute<Method>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [route](./kibana-plugin-server.kibanarequest.route.md)
+
+## KibanaRequest.route property
+
+matched route details
+
+<b>Signature:</b>
+
+```typescript
+readonly route: RecursiveReadonly<KibanaRequestRoute<Method>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
index c55f4656c993c..b1b83ab6145cd 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.socket.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [socket](./kibana-plugin-server.kibanarequest.socket.md)
-
-## KibanaRequest.socket property
-
-[IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
-
-<b>Signature:</b>
-
-```typescript
-readonly socket: IKibanaSocket;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [socket](./kibana-plugin-server.kibanarequest.socket.md)
+
+## KibanaRequest.socket property
+
+[IKibanaSocket](./kibana-plugin-server.ikibanasocket.md)
+
+<b>Signature:</b>
+
+```typescript
+readonly socket: IKibanaSocket;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md b/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
index 62d1f97159476..e77b77edede4d 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequest.url.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [url](./kibana-plugin-server.kibanarequest.url.md)
-
-## KibanaRequest.url property
-
-a WHATWG URL standard object.
-
-<b>Signature:</b>
-
-```typescript
-readonly url: Url;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequest](./kibana-plugin-server.kibanarequest.md) &gt; [url](./kibana-plugin-server.kibanarequest.url.md)
+
+## KibanaRequest.url property
+
+a WHATWG URL standard object.
+
+<b>Signature:</b>
+
+```typescript
+readonly url: Url;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
index d292d5d60bf5f..25d228e6ec276 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.aborted_.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) &gt; [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md)
-
-## KibanaRequestEvents.aborted$ property
-
-Observable that emits once if and when the request has been aborted.
-
-<b>Signature:</b>
-
-```typescript
-aborted$: Observable<void>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) &gt; [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md)
+
+## KibanaRequestEvents.aborted$ property
+
+Observable that emits once if and when the request has been aborted.
+
+<b>Signature:</b>
+
+```typescript
+aborted$: Observable<void>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
index 9137c4673a60c..85cb6e397c3ec 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestevents.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
-
-## KibanaRequestEvents interface
-
-Request events.
-
-<b>Signature:</b>
-
-```typescript
-export interface KibanaRequestEvents 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md) | <code>Observable&lt;void&gt;</code> | Observable that emits once if and when the request has been aborted. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md)
+
+## KibanaRequestEvents interface
+
+Request events.
+
+<b>Signature:</b>
+
+```typescript
+export interface KibanaRequestEvents 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [aborted$](./kibana-plugin-server.kibanarequestevents.aborted_.md) | <code>Observable&lt;void&gt;</code> | Observable that emits once if and when the request has been aborted. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
index 2983639458200..8a63aa52c0c9d 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md)
-
-## KibanaRequestRoute interface
-
-Request specific route information exposed to a handler.
-
-<b>Signature:</b>
-
-```typescript
-export interface KibanaRequestRoute<Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [method](./kibana-plugin-server.kibanarequestroute.method.md) | <code>Method</code> |  |
-|  [options](./kibana-plugin-server.kibanarequestroute.options.md) | <code>KibanaRequestRouteOptions&lt;Method&gt;</code> |  |
-|  [path](./kibana-plugin-server.kibanarequestroute.path.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md)
+
+## KibanaRequestRoute interface
+
+Request specific route information exposed to a handler.
+
+<b>Signature:</b>
+
+```typescript
+export interface KibanaRequestRoute<Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [method](./kibana-plugin-server.kibanarequestroute.method.md) | <code>Method</code> |  |
+|  [options](./kibana-plugin-server.kibanarequestroute.options.md) | <code>KibanaRequestRouteOptions&lt;Method&gt;</code> |  |
+|  [path](./kibana-plugin-server.kibanarequestroute.path.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
index 5775d28b1e053..9a60a50255756 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.method.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [method](./kibana-plugin-server.kibanarequestroute.method.md)
-
-## KibanaRequestRoute.method property
-
-<b>Signature:</b>
-
-```typescript
-method: Method;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [method](./kibana-plugin-server.kibanarequestroute.method.md)
+
+## KibanaRequestRoute.method property
+
+<b>Signature:</b>
+
+```typescript
+method: Method;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
index 438263f61eb20..82a46c09b0aa6 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.options.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [options](./kibana-plugin-server.kibanarequestroute.options.md)
-
-## KibanaRequestRoute.options property
-
-<b>Signature:</b>
-
-```typescript
-options: KibanaRequestRouteOptions<Method>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [options](./kibana-plugin-server.kibanarequestroute.options.md)
+
+## KibanaRequestRoute.options property
+
+<b>Signature:</b>
+
+```typescript
+options: KibanaRequestRouteOptions<Method>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
index 17d4b588e6d44..01e623a2f47c5 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestroute.path.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [path](./kibana-plugin-server.kibanarequestroute.path.md)
-
-## KibanaRequestRoute.path property
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) &gt; [path](./kibana-plugin-server.kibanarequestroute.path.md)
+
+## KibanaRequestRoute.path property
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md b/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
index f48711ac11f92..71e0169137a72 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanarequestrouteoptions.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md)
-
-## KibanaRequestRouteOptions type
-
-Route options: If 'GET' or 'OPTIONS' method, body options won't be returned.
-
-<b>Signature:</b>
-
-```typescript
-export declare type KibanaRequestRouteOptions<Method extends RouteMethod> = Method extends 'get' | 'options' ? Required<Omit<RouteConfigOptions<Method>, 'body'>> : Required<RouteConfigOptions<Method>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md)
+
+## KibanaRequestRouteOptions type
+
+Route options: If 'GET' or 'OPTIONS' method, body options won't be returned.
+
+<b>Signature:</b>
+
+```typescript
+export declare type KibanaRequestRouteOptions<Method extends RouteMethod> = Method extends 'get' | 'options' ? Required<Omit<RouteConfigOptions<Method>, 'body'>> : Required<RouteConfigOptions<Method>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md b/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
index 2e496aa0c46fc..cfedaa2d23dd2 100644
--- a/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.kibanaresponsefactory.md
@@ -1,118 +1,118 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md)
-
-## kibanaResponseFactory variable
-
-Set of helpers used to create `KibanaResponse` to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution.
-
-<b>Signature:</b>
-
-```typescript
-kibanaResponseFactory: {
-    custom: <T extends string | Error | Buffer | Stream | Record<string, any> | {
-        message: string | Error;
-        attributes?: Record<string, any> | undefined;
-    } | undefined>(options: CustomHttpResponseOptions<T>) => KibanaResponse<T>;
-    badRequest: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    unauthorized: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    forbidden: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    notFound: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    conflict: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    internalError: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
-    customError: (options: CustomHttpResponseOptions<ResponseError>) => KibanaResponse<ResponseError>;
-    redirected: (options: RedirectResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    ok: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    accepted: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
-    noContent: (options?: HttpResponseOptions) => KibanaResponse<undefined>;
-}
-```
-
-## Example
-
-1. Successful response. Supported types of response body are: - `undefined`<!-- -->, no content to send. - `string`<!-- -->, send text - `JSON`<!-- -->, send JSON object, HTTP server will throw if given object is not valid (has circular references, for example) - `Stream` send data stream - `Buffer` send binary stream
-
-```js
-return response.ok();
-return response.ok({ body: 'ack' });
-return response.ok({ body: { id: '1' } });
-return response.ok({ body: Buffer.from(...) });
-
-const stream = new Stream.PassThrough();
-fs.createReadStream('./file').pipe(stream);
-return res.ok({ body: stream });
-
-```
-HTTP headers are configurable via response factory parameter `options` [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)<!-- -->.
-
-```js
-return response.ok({
-  body: { id: '1' },
-  headers: {
-    'content-type': 'application/json'
-  }
-});
-
-```
-2. Redirection response. Redirection URL is configures via 'Location' header.
-
-```js
-return response.redirected({
-  body: 'The document has moved',
-  headers: {
-   location: '/new-url',
-  },
-});
-
-```
-3. Error response. You may pass an error message to the client, where error message can be: - `string` send message text - `Error` send the message text of given Error object. - `{ message: string | Error, attributes: {data: Record<string, any>, ...} }` - send message text and attach additional error data.
-
-```js
-return response.unauthorized({
-  body: 'User has no access to the requested resource.',
-  headers: {
-    'WWW-Authenticate': 'challenge',
-  }
-})
-return response.badRequest();
-return response.badRequest({ body: 'validation error' });
-
-try {
-  // ...
-} catch(error){
-  return response.badRequest({ body: error });
-}
-
-return response.badRequest({
- body:{
-   message: 'validation error',
-   attributes: {
-     requestBody: request.body,
-     failedFields: validationResult
-   }
- }
-});
-
-try {
-  // ...
-} catch(error) {
-  return response.badRequest({
-    body: error
-  });
-}
-
-
-```
-4. Custom response. `ResponseFactory` may not cover your use case, so you can use the `custom` function to customize the response.
-
-```js
-return response.custom({
-  body: 'ok',
-  statusCode: 201,
-  headers: {
-    location: '/created-url'
-  }
-})
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md)
+
+## kibanaResponseFactory variable
+
+Set of helpers used to create `KibanaResponse` to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution.
+
+<b>Signature:</b>
+
+```typescript
+kibanaResponseFactory: {
+    custom: <T extends string | Error | Buffer | Stream | Record<string, any> | {
+        message: string | Error;
+        attributes?: Record<string, any> | undefined;
+    } | undefined>(options: CustomHttpResponseOptions<T>) => KibanaResponse<T>;
+    badRequest: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    unauthorized: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    forbidden: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    notFound: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    conflict: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    internalError: (options?: ErrorHttpResponseOptions) => KibanaResponse<ResponseError>;
+    customError: (options: CustomHttpResponseOptions<ResponseError>) => KibanaResponse<ResponseError>;
+    redirected: (options: RedirectResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    ok: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    accepted: (options?: HttpResponseOptions) => KibanaResponse<string | Buffer | Stream | Record<string, any>>;
+    noContent: (options?: HttpResponseOptions) => KibanaResponse<undefined>;
+}
+```
+
+## Example
+
+1. Successful response. Supported types of response body are: - `undefined`<!-- -->, no content to send. - `string`<!-- -->, send text - `JSON`<!-- -->, send JSON object, HTTP server will throw if given object is not valid (has circular references, for example) - `Stream` send data stream - `Buffer` send binary stream
+
+```js
+return response.ok();
+return response.ok({ body: 'ack' });
+return response.ok({ body: { id: '1' } });
+return response.ok({ body: Buffer.from(...) });
+
+const stream = new Stream.PassThrough();
+fs.createReadStream('./file').pipe(stream);
+return res.ok({ body: stream });
+
+```
+HTTP headers are configurable via response factory parameter `options` [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md)<!-- -->.
+
+```js
+return response.ok({
+  body: { id: '1' },
+  headers: {
+    'content-type': 'application/json'
+  }
+});
+
+```
+2. Redirection response. Redirection URL is configures via 'Location' header.
+
+```js
+return response.redirected({
+  body: 'The document has moved',
+  headers: {
+   location: '/new-url',
+  },
+});
+
+```
+3. Error response. You may pass an error message to the client, where error message can be: - `string` send message text - `Error` send the message text of given Error object. - `{ message: string | Error, attributes: {data: Record<string, any>, ...} }` - send message text and attach additional error data.
+
+```js
+return response.unauthorized({
+  body: 'User has no access to the requested resource.',
+  headers: {
+    'WWW-Authenticate': 'challenge',
+  }
+})
+return response.badRequest();
+return response.badRequest({ body: 'validation error' });
+
+try {
+  // ...
+} catch(error){
+  return response.badRequest({ body: error });
+}
+
+return response.badRequest({
+ body:{
+   message: 'validation error',
+   attributes: {
+     requestBody: request.body,
+     failedFields: validationResult
+   }
+ }
+});
+
+try {
+  // ...
+} catch(error) {
+  return response.badRequest({
+    body: error
+  });
+}
+
+
+```
+4. Custom response. `ResponseFactory` may not cover your use case, so you can use the `custom` function to customize the response.
+
+```js
+return response.custom({
+  body: 'ok',
+  statusCode: 201,
+  headers: {
+    location: '/created-url'
+  }
+})
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.knownheaders.md b/docs/development/core/server/kibana-plugin-server.knownheaders.md
index 986794f3aaa61..69c3939cfa084 100644
--- a/docs/development/core/server/kibana-plugin-server.knownheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.knownheaders.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KnownHeaders](./kibana-plugin-server.knownheaders.md)
-
-## KnownHeaders type
-
-Set of well-known HTTP headers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type KnownHeaders = KnownKeys<IncomingHttpHeaders>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [KnownHeaders](./kibana-plugin-server.knownheaders.md)
+
+## KnownHeaders type
+
+Set of well-known HTTP headers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type KnownHeaders = KnownKeys<IncomingHttpHeaders>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyrequest.md b/docs/development/core/server/kibana-plugin-server.legacyrequest.md
index a794b3bbe87c7..329c2fb805312 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyrequest.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyRequest](./kibana-plugin-server.legacyrequest.md)
-
-## LegacyRequest interface
-
-> Warning: This API is now obsolete.
-> 
-> `hapi` request object, supported during migration process only for backward compatibility.
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyRequest extends Request 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyRequest](./kibana-plugin-server.legacyrequest.md)
+
+## LegacyRequest interface
+
+> Warning: This API is now obsolete.
+> 
+> `hapi` request object, supported during migration process only for backward compatibility.
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyRequest extends Request 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
index c4c043a903d06..2fa3e587df714 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.core.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [core](./kibana-plugin-server.legacyservicesetupdeps.core.md)
-
-## LegacyServiceSetupDeps.core property
-
-<b>Signature:</b>
-
-```typescript
-core: LegacyCoreSetup;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [core](./kibana-plugin-server.legacyservicesetupdeps.core.md)
+
+## LegacyServiceSetupDeps.core property
+
+<b>Signature:</b>
+
+```typescript
+core: LegacyCoreSetup;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
index 7961cedd2c054..5ee3c9a2113fd 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md)
-
-## LegacyServiceSetupDeps interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyServiceSetupDeps 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.legacyservicesetupdeps.core.md) | <code>LegacyCoreSetup</code> |  |
-|  [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md)
+
+## LegacyServiceSetupDeps interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyServiceSetupDeps 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.legacyservicesetupdeps.core.md) | <code>LegacyCoreSetup</code> |  |
+|  [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
index a51aa478caab5..3917b7c9ac752 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicesetupdeps.plugins.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md)
-
-## LegacyServiceSetupDeps.plugins property
-
-<b>Signature:</b>
-
-```typescript
-plugins: Record<string, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicesetupdeps.plugins.md)
+
+## LegacyServiceSetupDeps.plugins property
+
+<b>Signature:</b>
+
+```typescript
+plugins: Record<string, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
index 47018f4594967..bcd7789698b08 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.core.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [core](./kibana-plugin-server.legacyservicestartdeps.core.md)
-
-## LegacyServiceStartDeps.core property
-
-<b>Signature:</b>
-
-```typescript
-core: LegacyCoreStart;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [core](./kibana-plugin-server.legacyservicestartdeps.core.md)
+
+## LegacyServiceStartDeps.core property
+
+<b>Signature:</b>
+
+```typescript
+core: LegacyCoreStart;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
index 602fe5356d525..4005c643fdb32 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md)
-
-## LegacyServiceStartDeps interface
-
-> Warning: This API is now obsolete.
-> 
-> 
-
-<b>Signature:</b>
-
-```typescript
-export interface LegacyServiceStartDeps 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.legacyservicestartdeps.core.md) | <code>LegacyCoreStart</code> |  |
-|  [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md)
+
+## LegacyServiceStartDeps interface
+
+> Warning: This API is now obsolete.
+> 
+> 
+
+<b>Signature:</b>
+
+```typescript
+export interface LegacyServiceStartDeps 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.legacyservicestartdeps.core.md) | <code>LegacyCoreStart</code> |  |
+|  [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md) | <code>Record&lt;string, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
index a6d774d35e42e..5f77289ce0a52 100644
--- a/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
+++ b/docs/development/core/server/kibana-plugin-server.legacyservicestartdeps.plugins.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md)
-
-## LegacyServiceStartDeps.plugins property
-
-<b>Signature:</b>
-
-```typescript
-plugins: Record<string, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) &gt; [plugins](./kibana-plugin-server.legacyservicestartdeps.plugins.md)
+
+## LegacyServiceStartDeps.plugins property
+
+<b>Signature:</b>
+
+```typescript
+plugins: Record<string, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md b/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
index f1c427203dd24..ade2e5091df8e 100644
--- a/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.lifecycleresponsefactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md)
-
-## LifecycleResponseFactory type
-
-Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client.
-
-<b>Signature:</b>
-
-```typescript
-export declare type LifecycleResponseFactory = typeof lifecycleResponseFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md)
+
+## LifecycleResponseFactory type
+
+Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client.
+
+<b>Signature:</b>
+
+```typescript
+export declare type LifecycleResponseFactory = typeof lifecycleResponseFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.logger.debug.md b/docs/development/core/server/kibana-plugin-server.logger.debug.md
index 9a775896f618f..3a37615ecc8c5 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.debug.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.debug.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [debug](./kibana-plugin-server.logger.debug.md)
-
-## Logger.debug() method
-
-Log messages useful for debugging and interactive investigation
-
-<b>Signature:</b>
-
-```typescript
-debug(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [debug](./kibana-plugin-server.logger.debug.md)
+
+## Logger.debug() method
+
+Log messages useful for debugging and interactive investigation
+
+<b>Signature:</b>
+
+```typescript
+debug(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.error.md b/docs/development/core/server/kibana-plugin-server.logger.error.md
index 482770d267095..d59ccad3536a0 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.error.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.error.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [error](./kibana-plugin-server.logger.error.md)
-
-## Logger.error() method
-
-Logs abnormal or unexpected errors or messages that caused a failure in the application flow
-
-<b>Signature:</b>
-
-```typescript
-error(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [error](./kibana-plugin-server.logger.error.md)
+
+## Logger.error() method
+
+Logs abnormal or unexpected errors or messages that caused a failure in the application flow
+
+<b>Signature:</b>
+
+```typescript
+error(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.fatal.md b/docs/development/core/server/kibana-plugin-server.logger.fatal.md
index 68f502a54f560..41751be46627d 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.fatal.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.fatal.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [fatal](./kibana-plugin-server.logger.fatal.md)
-
-## Logger.fatal() method
-
-Logs abnormal or unexpected errors or messages that caused an unrecoverable failure
-
-<b>Signature:</b>
-
-```typescript
-fatal(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [fatal](./kibana-plugin-server.logger.fatal.md)
+
+## Logger.fatal() method
+
+Logs abnormal or unexpected errors or messages that caused an unrecoverable failure
+
+<b>Signature:</b>
+
+```typescript
+fatal(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.get.md b/docs/development/core/server/kibana-plugin-server.logger.get.md
index b4a2d8a124260..6b84f27688003 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.get.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.get.md
@@ -1,33 +1,33 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [get](./kibana-plugin-server.logger.get.md)
-
-## Logger.get() method
-
-Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context.
-
-<b>Signature:</b>
-
-```typescript
-get(...childContextPaths: string[]): Logger;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  childContextPaths | <code>string[]</code> |  |
-
-<b>Returns:</b>
-
-`Logger`
-
-## Example
-
-
-```typescript
-const logger = loggerFactory.get('plugin', 'service'); // 'plugin.service' context
-const subLogger = logger.get('feature'); // 'plugin.service.feature' context
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [get](./kibana-plugin-server.logger.get.md)
+
+## Logger.get() method
+
+Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context.
+
+<b>Signature:</b>
+
+```typescript
+get(...childContextPaths: string[]): Logger;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  childContextPaths | <code>string[]</code> |  |
+
+<b>Returns:</b>
+
+`Logger`
+
+## Example
+
+
+```typescript
+const logger = loggerFactory.get('plugin', 'service'); // 'plugin.service' context
+const subLogger = logger.get('feature'); // 'plugin.service.feature' context
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.info.md b/docs/development/core/server/kibana-plugin-server.logger.info.md
index 28a15f538f739..f70ff3e750ab1 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.info.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.info.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [info](./kibana-plugin-server.logger.info.md)
-
-## Logger.info() method
-
-Logs messages related to general application flow
-
-<b>Signature:</b>
-
-```typescript
-info(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [info](./kibana-plugin-server.logger.info.md)
+
+## Logger.info() method
+
+Logs messages related to general application flow
+
+<b>Signature:</b>
+
+```typescript
+info(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.md b/docs/development/core/server/kibana-plugin-server.logger.md
index 068f51f409f09..a8205dd5915a0 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md)
-
-## Logger interface
-
-Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface Logger 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [debug(message, meta)](./kibana-plugin-server.logger.debug.md) | Log messages useful for debugging and interactive investigation |
-|  [error(errorOrMessage, meta)](./kibana-plugin-server.logger.error.md) | Logs abnormal or unexpected errors or messages that caused a failure in the application flow |
-|  [fatal(errorOrMessage, meta)](./kibana-plugin-server.logger.fatal.md) | Logs abnormal or unexpected errors or messages that caused an unrecoverable failure |
-|  [get(childContextPaths)](./kibana-plugin-server.logger.get.md) | Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context. |
-|  [info(message, meta)](./kibana-plugin-server.logger.info.md) | Logs messages related to general application flow |
-|  [trace(message, meta)](./kibana-plugin-server.logger.trace.md) | Log messages at the most detailed log level |
-|  [warn(errorOrMessage, meta)](./kibana-plugin-server.logger.warn.md) | Logs abnormal or unexpected errors or messages |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md)
+
+## Logger interface
+
+Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface Logger 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [debug(message, meta)](./kibana-plugin-server.logger.debug.md) | Log messages useful for debugging and interactive investigation |
+|  [error(errorOrMessage, meta)](./kibana-plugin-server.logger.error.md) | Logs abnormal or unexpected errors or messages that caused a failure in the application flow |
+|  [fatal(errorOrMessage, meta)](./kibana-plugin-server.logger.fatal.md) | Logs abnormal or unexpected errors or messages that caused an unrecoverable failure |
+|  [get(childContextPaths)](./kibana-plugin-server.logger.get.md) | Returns a new [Logger](./kibana-plugin-server.logger.md) instance extending the current logger context. |
+|  [info(message, meta)](./kibana-plugin-server.logger.info.md) | Logs messages related to general application flow |
+|  [trace(message, meta)](./kibana-plugin-server.logger.trace.md) | Log messages at the most detailed log level |
+|  [warn(errorOrMessage, meta)](./kibana-plugin-server.logger.warn.md) | Logs abnormal or unexpected errors or messages |
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.trace.md b/docs/development/core/server/kibana-plugin-server.logger.trace.md
index e7aeeec21243b..8e9613ec39d5c 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.trace.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.trace.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [trace](./kibana-plugin-server.logger.trace.md)
-
-## Logger.trace() method
-
-Log messages at the most detailed log level
-
-<b>Signature:</b>
-
-```typescript
-trace(message: string, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  message | <code>string</code> | The log message |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [trace](./kibana-plugin-server.logger.trace.md)
+
+## Logger.trace() method
+
+Log messages at the most detailed log level
+
+<b>Signature:</b>
+
+```typescript
+trace(message: string, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  message | <code>string</code> | The log message |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.logger.warn.md b/docs/development/core/server/kibana-plugin-server.logger.warn.md
index 10e5cd5612fb2..935718c0de788 100644
--- a/docs/development/core/server/kibana-plugin-server.logger.warn.md
+++ b/docs/development/core/server/kibana-plugin-server.logger.warn.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [warn](./kibana-plugin-server.logger.warn.md)
-
-## Logger.warn() method
-
-Logs abnormal or unexpected errors or messages
-
-<b>Signature:</b>
-
-```typescript
-warn(errorOrMessage: string | Error, meta?: LogMeta): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
-|  meta | <code>LogMeta</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Logger](./kibana-plugin-server.logger.md) &gt; [warn](./kibana-plugin-server.logger.warn.md)
+
+## Logger.warn() method
+
+Logs abnormal or unexpected errors or messages
+
+<b>Signature:</b>
+
+```typescript
+warn(errorOrMessage: string | Error, meta?: LogMeta): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  errorOrMessage | <code>string &#124; Error</code> | An Error object or message string to log |
+|  meta | <code>LogMeta</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md b/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
index b38820f6ba4ba..95765157665a0 100644
--- a/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
+++ b/docs/development/core/server/kibana-plugin-server.loggerfactory.get.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md) &gt; [get](./kibana-plugin-server.loggerfactory.get.md)
-
-## LoggerFactory.get() method
-
-Returns a `Logger` instance for the specified context.
-
-<b>Signature:</b>
-
-```typescript
-get(...contextParts: string[]): Logger;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  contextParts | <code>string[]</code> | Parts of the context to return logger for. For example get('plugins', 'pid') will return a logger for the <code>plugins.pid</code> context. |
-
-<b>Returns:</b>
-
-`Logger`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md) &gt; [get](./kibana-plugin-server.loggerfactory.get.md)
+
+## LoggerFactory.get() method
+
+Returns a `Logger` instance for the specified context.
+
+<b>Signature:</b>
+
+```typescript
+get(...contextParts: string[]): Logger;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  contextParts | <code>string[]</code> | Parts of the context to return logger for. For example get('plugins', 'pid') will return a logger for the <code>plugins.pid</code> context. |
+
+<b>Returns:</b>
+
+`Logger`
+
diff --git a/docs/development/core/server/kibana-plugin-server.loggerfactory.md b/docs/development/core/server/kibana-plugin-server.loggerfactory.md
index 07d5a4c012c4a..31e18ba4bb47b 100644
--- a/docs/development/core/server/kibana-plugin-server.loggerfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.loggerfactory.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md)
-
-## LoggerFactory interface
-
-The single purpose of `LoggerFactory` interface is to define a way to retrieve a context-based logger instance.
-
-<b>Signature:</b>
-
-```typescript
-export interface LoggerFactory 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [get(contextParts)](./kibana-plugin-server.loggerfactory.get.md) | Returns a <code>Logger</code> instance for the specified context. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LoggerFactory](./kibana-plugin-server.loggerfactory.md)
+
+## LoggerFactory interface
+
+The single purpose of `LoggerFactory` interface is to define a way to retrieve a context-based logger instance.
+
+<b>Signature:</b>
+
+```typescript
+export interface LoggerFactory 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [get(contextParts)](./kibana-plugin-server.loggerfactory.get.md) | Returns a <code>Logger</code> instance for the specified context. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.logmeta.md b/docs/development/core/server/kibana-plugin-server.logmeta.md
index 268cb7419db16..11dbd01d7c8dc 100644
--- a/docs/development/core/server/kibana-plugin-server.logmeta.md
+++ b/docs/development/core/server/kibana-plugin-server.logmeta.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LogMeta](./kibana-plugin-server.logmeta.md)
-
-## LogMeta interface
-
-Contextual metadata
-
-<b>Signature:</b>
-
-```typescript
-export interface LogMeta 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [LogMeta](./kibana-plugin-server.logmeta.md)
+
+## LogMeta interface
+
+Contextual metadata
+
+<b>Signature:</b>
+
+```typescript
+export interface LogMeta 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.md b/docs/development/core/server/kibana-plugin-server.md
index fbce46c3f4ad9..e7b1334652540 100644
--- a/docs/development/core/server/kibana-plugin-server.md
+++ b/docs/development/core/server/kibana-plugin-server.md
@@ -1,228 +1,228 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md)
-
-## kibana-plugin-server package
-
-The Kibana Core APIs for server-side plugins.
-
-A plugin requires a `kibana.json` file at it's root directory that follows [the manfiest schema](./kibana-plugin-server.pluginmanifest.md) to define static plugin information required to load the plugin.
-
-A plugin's `server/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-server.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-server.plugin.md)<!-- -->.
-
-The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-server.coresetup.md) or [CoreStart](./kibana-plugin-server.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
-
-## Classes
-
-|  Class | Description |
-|  --- | --- |
-|  [BasePath](./kibana-plugin-server.basepath.md) | Access or manipulate the Kibana base path |
-|  [ClusterClient](./kibana-plugin-server.clusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [CspConfig](./kibana-plugin-server.cspconfig.md) | CSP configuration for use in Kibana. |
-|  [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) | Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as <code>body.error.header[WWW-Authenticate]</code> |
-|  [KibanaRequest](./kibana-plugin-server.kibanarequest.md) | Kibana specific abstraction for an incoming request. |
-|  [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) | Error to return when the validation is not successful. |
-|  [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) |  |
-|  [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |  |
-|  [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |  |
-|  [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
-
-## Enumerations
-
-|  Enumeration | Description |
-|  --- | --- |
-|  [AuthResultType](./kibana-plugin-server.authresulttype.md) |  |
-|  [AuthStatus](./kibana-plugin-server.authstatus.md) | Status indicating an outcome of the authentication. |
-
-## Interfaces
-
-|  Interface | Description |
-|  --- | --- |
-|  [APICaller](./kibana-plugin-server.apicaller.md) |  |
-|  [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) |  |
-|  [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) |  |
-|  [Authenticated](./kibana-plugin-server.authenticated.md) |  |
-|  [AuthResultParams](./kibana-plugin-server.authresultparams.md) | Result of an incoming request authentication. |
-|  [AuthToolkit](./kibana-plugin-server.authtoolkit.md) | A tool set defining an outcome of Auth interceptor for incoming request. |
-|  [CallAPIOptions](./kibana-plugin-server.callapioptions.md) | The set of options that defines how API call should be made and result be processed. |
-|  [Capabilities](./kibana-plugin-server.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
-|  [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) | APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.<!-- -->Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the <code>registerProvider</code> method.<!-- -->Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the <code>registerSwitcher</code> method.<!-- -->Refers to the methods documentation for complete description and examples. |
-|  [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) | APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->. |
-|  [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) | Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.<!-- -->See methods documentation for more detailed examples. |
-|  [ContextSetup](./kibana-plugin-server.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [CoreSetup](./kibana-plugin-server.coresetup.md) | Context passed to the plugins <code>setup</code> method. |
-|  [CoreStart](./kibana-plugin-server.corestart.md) | Context passed to the plugins <code>start</code> method. |
-|  [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) | HTTP response parameters for a response with adjustable status code. |
-|  [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) |  |
-|  [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) |  |
-|  [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) |  |
-|  [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) | UiSettings deprecation field options. |
-|  [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) | Small container object used to expose information about discovered plugins that may or may not have been started. |
-|  [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) |  |
-|  [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |  |
-|  [EnvironmentMode](./kibana-plugin-server.environmentmode.md) |  |
-|  [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) | HTTP response parameters |
-|  [FakeRequest](./kibana-plugin-server.fakerequest.md) | Fake request object created manually by Kibana plugins. |
-|  [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) | HTTP response parameters |
-|  [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) | Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to <code>hapi</code> server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs. |
-|  [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) |  |
-|  [IContextContainer](./kibana-plugin-server.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
-|  [ICspConfig](./kibana-plugin-server.icspconfig.md) | CSP configuration for use in Kibana. |
-|  [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) | A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution |
-|  [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) | A tiny abstraction for TCP socket. |
-|  [ImageValidation](./kibana-plugin-server.imagevalidation.md) |  |
-|  [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md) |  |
-|  [IRenderOptions](./kibana-plugin-server.irenderoptions.md) |  |
-|  [IRouter](./kibana-plugin-server.irouter.md) | Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations. |
-|  [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) |  |
-|  [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) | Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. |
-|  [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) | Request events. |
-|  [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) | Request specific route information exposed to a handler. |
-|  [LegacyRequest](./kibana-plugin-server.legacyrequest.md) |  |
-|  [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) |  |
-|  [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) |  |
-|  [Logger](./kibana-plugin-server.logger.md) | Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins. |
-|  [LoggerFactory](./kibana-plugin-server.loggerfactory.md) | The single purpose of <code>LoggerFactory</code> interface is to define a way to retrieve a context-based logger instance. |
-|  [LogMeta](./kibana-plugin-server.logmeta.md) | Contextual metadata |
-|  [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) | A tool set defining an outcome of OnPostAuth interceptor for incoming request. |
-|  [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
-|  [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) | Additional data to extend a response. |
-|  [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) | Response status code. |
-|  [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
-|  [PackageInfo](./kibana-plugin-server.packageinfo.md) |  |
-|  [Plugin](./kibana-plugin-server.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
-|  [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) | Describes a plugin configuration properties. |
-|  [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) | Context that's available to plugins during initialization stage. |
-|  [PluginManifest](./kibana-plugin-server.pluginmanifest.md) | Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file. |
-|  [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) |  |
-|  [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) |  |
-|  [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) | Plugin specific context passed to a route handler.<!-- -->Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request |
-|  [RouteConfig](./kibana-plugin-server.routeconfig.md) | Route specific configuration. |
-|  [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) | Additional route options. |
-|  [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) | Additional body options for a route |
-|  [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) | Validation result factory to be used in the custom validation function to return the valid data or validation errors<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->. |
-|  [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) | The configuration object to the RouteValidator class. Set <code>params</code>, <code>query</code> and/or <code>body</code> to specify the validation logic to follow for that property. |
-|  [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) | Additional options for the RouteValidator class to modify its default behaviour. |
-|  [SavedObject](./kibana-plugin-server.savedobject.md) |  |
-|  [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) | A reference to another saved object. |
-|  [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) |  |
-|  [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) |  |
-|  [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) |  |
-|  [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) |  |
-|  [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) |  |
-|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) |  |
-|  [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) |  |
-|  [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) | Options to control the creation of the Saved Objects Client. |
-|  [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) | Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance. |
-|  [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) |  |
-|  [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) |  |
-|  [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) |  |
-|  [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) | Options controlling the export operation. |
-|  [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) | Structure of the export result details entry |
-|  [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) |  |
-|  [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
-|  [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
-|  [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) | Represents a failure to import. |
-|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
-|  [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) | Options to control the import operation. |
-|  [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) | The response describing the result of an import. |
-|  [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
-|  [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
-|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
-|  [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) |  |
-|  [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) |  |
-|  [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) | A raw document as represented directly in the saved object index. |
-|  [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) | Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) |
-|  [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) | Options to control the "resolve import" operation. |
-|  [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) | Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers. |
-|  [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects. |
-|  [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) |  |
-|  [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) |  |
-|  [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) | Return type from a function to validate cookie contents. |
-|  [SessionStorage](./kibana-plugin-server.sessionstorage.md) | Provides an interface to store and retrieve data across requests. |
-|  [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) | Configuration used to create HTTP session storage based on top of cookie mechanism. |
-|  [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) | SessionStorage factory to bind one to an incoming request |
-|  [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) | StringValidation with regex object |
-|  [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) | StringValidation as regex string |
-|  [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
-|  [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |  |
-|  [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |  |
-|  [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) | Describes the values explicitly set by user. |
-|  [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) | APIs to access the application's instance uuid. |
-
-## Variables
-
-|  Variable | Description |
-|  --- | --- |
-|  [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Set of helpers used to create <code>KibanaResponse</code> to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution. |
-|  [validBodyOutput](./kibana-plugin-server.validbodyoutput.md) | The set of valid body.output |
-
-## Type Aliases
-
-|  Type Alias | Description |
-|  --- | --- |
-|  [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md) | See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->. |
-|  [AuthHeaders](./kibana-plugin-server.authheaders.md) | Auth Headers map |
-|  [AuthResult](./kibana-plugin-server.authresult.md) |  |
-|  [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
-|  [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) | Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration. |
-|  [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md) | Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) |
-|  [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) | A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.<!-- -->See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples. |
-|  [ConfigPath](./kibana-plugin-server.configpath.md) |  |
-|  [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md) |  |
-|  [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md) | Get headers to authenticate a user against Elasticsearch. |
-|  [GetAuthState](./kibana-plugin-server.getauthstate.md) | Gets authentication state for a request. Returned by <code>auth</code> interceptor. |
-|  [HandlerContextType](./kibana-plugin-server.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context. |
-|  [HandlerFunction](./kibana-plugin-server.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md) |
-|  [HandlerParameters](./kibana-plugin-server.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->. |
-|  [Headers](./kibana-plugin-server.headers.md) | Http request headers to read. |
-|  [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md) | Data send to the client as a response payload. |
-|  [IBasePath](./kibana-plugin-server.ibasepath.md) | Access or manipulate the Kibana base path[BasePath](./kibana-plugin-server.basepath.md) |
-|  [IClusterClient](./kibana-plugin-server.iclusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [IContextProvider](./kibana-plugin-server.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
-|  [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md) | Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
-|  [IsAuthenticated](./kibana-plugin-server.isauthenticated.md) | Returns authentication status for a request. |
-|  [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md) | See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |
-|  [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
-|  [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md) | Route options: If 'GET' or 'OPTIONS' method, body options won't be returned. |
-|  [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Creates an object containing request response payload, HTTP headers, error details, and other data transmitted to the client. |
-|  [KnownHeaders](./kibana-plugin-server.knownheaders.md) | Set of well-known HTTP headers. |
-|  [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md) | Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client. |
-|  [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md) |  |
-|  [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md) |  |
-|  [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md) | Elasticsearch Refresh setting for mutating operation |
-|  [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md) | See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->. |
-|  [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
-|  [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
-|  [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) | Dedicated type for plugin configuration schema. |
-|  [PluginInitializer](./kibana-plugin-server.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>server</code> directory should conform to this interface. |
-|  [PluginName](./kibana-plugin-server.pluginname.md) | Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious. |
-|  [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md) |  |
-|  [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md) |  |
-|  [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md) | HTTP response parameters for redirection response |
-|  [RequestHandler](./kibana-plugin-server.requesthandler.md) | A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions. |
-|  [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md) | An object that handles registration of http request context providers. |
-|  [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md) | Context provider for request handler. Extends request context object with provided functionality or data. |
-|  [ResponseError](./kibana-plugin-server.responseerror.md) | Error message and optional data send to the client in case of error. |
-|  [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md) | Additional data to provide error details. |
-|  [ResponseHeaders](./kibana-plugin-server.responseheaders.md) | Http response headers to set. |
-|  [RouteContentType](./kibana-plugin-server.routecontenttype.md) | The set of supported parseable Content-Types |
-|  [RouteMethod](./kibana-plugin-server.routemethod.md) | The set of common HTTP methods supported by Kibana routing. |
-|  [RouteRegistrar](./kibana-plugin-server.routeregistrar.md) | Route handler common definition |
-|  [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) | The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements. |
-|  [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md) | Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation. |
-|  [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md) | Route validations config and options merged into one object |
-|  [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
-|  [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) |
-|  [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.<!-- -->\#\# SavedObjectsClient errors<!-- -->Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:<!-- -->1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)<!-- -->Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the <code>isXYZError()</code> helpers exposed at <code>SavedObjectsErrorHelpers</code> should be used to understand and manage error responses from the <code>SavedObjectsClient</code>.<!-- -->Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for <code>error.body.error.type</code> or doing substring checks on <code>error.body.error.reason</code>, just use the helpers to understand the meaning of the error:<!-- -->\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }<!-- -->if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }<!-- -->// always rethrow the error unless you handle it throw error; \`\`\`<!-- -->\#\#\# 404s from missing index<!-- -->From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.<!-- -->At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.<!-- -->From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.<!-- -->\#\#\# 503s from missing index<!-- -->Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's <code>action.auto_create_index</code> setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.<!-- -->See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |
-|  [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md) | Describes the factory used to create instances of the Saved Objects Client. |
-|  [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) | Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->. |
-|  [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) | Describes the factory used to create instances of Saved Objects Client Wrappers. |
-|  [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md) | A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.<!-- -->See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->. |
-|  [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md) |  |
-|  [StringValidation](./kibana-plugin-server.stringvalidation.md) | Allows regex objects or a regex string |
-|  [UiSettingsType](./kibana-plugin-server.uisettingstype.md) | UI element type to represent the settings. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md)
+
+## kibana-plugin-server package
+
+The Kibana Core APIs for server-side plugins.
+
+A plugin requires a `kibana.json` file at it's root directory that follows [the manfiest schema](./kibana-plugin-server.pluginmanifest.md) to define static plugin information required to load the plugin.
+
+A plugin's `server/index` file must contain a named import, `plugin`<!-- -->, that implements [PluginInitializer](./kibana-plugin-server.plugininitializer.md) which returns an object that implements [Plugin](./kibana-plugin-server.plugin.md)<!-- -->.
+
+The plugin integrates with the core system via lifecycle events: `setup`<!-- -->, `start`<!-- -->, and `stop`<!-- -->. In each lifecycle method, the plugin will receive the corresponding core services available (either [CoreSetup](./kibana-plugin-server.coresetup.md) or [CoreStart](./kibana-plugin-server.corestart.md)<!-- -->) and any interfaces returned by dependency plugins' lifecycle method. Anything returned by the plugin's lifecycle method will be exposed to downstream dependencies when their corresponding lifecycle methods are invoked.
+
+## Classes
+
+|  Class | Description |
+|  --- | --- |
+|  [BasePath](./kibana-plugin-server.basepath.md) | Access or manipulate the Kibana base path |
+|  [ClusterClient](./kibana-plugin-server.clusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [CspConfig](./kibana-plugin-server.cspconfig.md) | CSP configuration for use in Kibana. |
+|  [ElasticsearchErrorHelpers](./kibana-plugin-server.elasticsearcherrorhelpers.md) | Helpers for working with errors returned from the Elasticsearch service.Since the internal data of errors are subject to change, consumers of the Elasticsearch service should always use these helpers to classify errors instead of checking error internals such as <code>body.error.header[WWW-Authenticate]</code> |
+|  [KibanaRequest](./kibana-plugin-server.kibanarequest.md) | Kibana specific abstraction for an incoming request. |
+|  [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) | Error to return when the validation is not successful. |
+|  [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) |  |
+|  [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |  |
+|  [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |  |
+|  [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
+
+## Enumerations
+
+|  Enumeration | Description |
+|  --- | --- |
+|  [AuthResultType](./kibana-plugin-server.authresulttype.md) |  |
+|  [AuthStatus](./kibana-plugin-server.authstatus.md) | Status indicating an outcome of the authentication. |
+
+## Interfaces
+
+|  Interface | Description |
+|  --- | --- |
+|  [APICaller](./kibana-plugin-server.apicaller.md) |  |
+|  [AssistanceAPIResponse](./kibana-plugin-server.assistanceapiresponse.md) |  |
+|  [AssistantAPIClientParams](./kibana-plugin-server.assistantapiclientparams.md) |  |
+|  [Authenticated](./kibana-plugin-server.authenticated.md) |  |
+|  [AuthResultParams](./kibana-plugin-server.authresultparams.md) | Result of an incoming request authentication. |
+|  [AuthToolkit](./kibana-plugin-server.authtoolkit.md) | A tool set defining an outcome of Auth interceptor for incoming request. |
+|  [CallAPIOptions](./kibana-plugin-server.callapioptions.md) | The set of options that defines how API call should be made and result be processed. |
+|  [Capabilities](./kibana-plugin-server.capabilities.md) | The read-only set of capabilities available for the current UI session. Capabilities are simple key-value pairs of (string, boolean), where the string denotes the capability ID, and the boolean is a flag indicating if the capability is enabled or disabled. |
+|  [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) | APIs to manage the [Capabilities](./kibana-plugin-server.capabilities.md) that will be used by the application.<!-- -->Plugins relying on capabilities to toggle some of their features should register them during the setup phase using the <code>registerProvider</code> method.<!-- -->Plugins having the responsibility to restrict capabilities depending on a given context should register their capabilities switcher using the <code>registerSwitcher</code> method.<!-- -->Refers to the methods documentation for complete description and examples. |
+|  [CapabilitiesStart](./kibana-plugin-server.capabilitiesstart.md) | APIs to access the application [Capabilities](./kibana-plugin-server.capabilities.md)<!-- -->. |
+|  [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) | Provides helpers to generates the most commonly used [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) when invoking a [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md)<!-- -->.<!-- -->See methods documentation for more detailed examples. |
+|  [ContextSetup](./kibana-plugin-server.contextsetup.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [CoreSetup](./kibana-plugin-server.coresetup.md) | Context passed to the plugins <code>setup</code> method. |
+|  [CoreStart](./kibana-plugin-server.corestart.md) | Context passed to the plugins <code>start</code> method. |
+|  [CustomHttpResponseOptions](./kibana-plugin-server.customhttpresponseoptions.md) | HTTP response parameters for a response with adjustable status code. |
+|  [DeprecationAPIClientParams](./kibana-plugin-server.deprecationapiclientparams.md) |  |
+|  [DeprecationAPIResponse](./kibana-plugin-server.deprecationapiresponse.md) |  |
+|  [DeprecationInfo](./kibana-plugin-server.deprecationinfo.md) |  |
+|  [DeprecationSettings](./kibana-plugin-server.deprecationsettings.md) | UiSettings deprecation field options. |
+|  [DiscoveredPlugin](./kibana-plugin-server.discoveredplugin.md) | Small container object used to expose information about discovered plugins that may or may not have been started. |
+|  [ElasticsearchError](./kibana-plugin-server.elasticsearcherror.md) |  |
+|  [ElasticsearchServiceSetup](./kibana-plugin-server.elasticsearchservicesetup.md) |  |
+|  [EnvironmentMode](./kibana-plugin-server.environmentmode.md) |  |
+|  [ErrorHttpResponseOptions](./kibana-plugin-server.errorhttpresponseoptions.md) | HTTP response parameters |
+|  [FakeRequest](./kibana-plugin-server.fakerequest.md) | Fake request object created manually by Kibana plugins. |
+|  [HttpResponseOptions](./kibana-plugin-server.httpresponseoptions.md) | HTTP response parameters |
+|  [HttpServiceSetup](./kibana-plugin-server.httpservicesetup.md) | Kibana HTTP Service provides own abstraction for work with HTTP stack. Plugins don't have direct access to <code>hapi</code> server and its primitives anymore. Moreover, plugins shouldn't rely on the fact that HTTP Service uses one or another library under the hood. This gives the platform flexibility to upgrade or changing our internal HTTP stack without breaking plugins. If the HTTP Service lacks functionality you need, we are happy to discuss and support your needs. |
+|  [HttpServiceStart](./kibana-plugin-server.httpservicestart.md) |  |
+|  [IContextContainer](./kibana-plugin-server.icontextcontainer.md) | An object that handles registration of context providers and configuring handlers with context. |
+|  [ICspConfig](./kibana-plugin-server.icspconfig.md) | CSP configuration for use in Kibana. |
+|  [IKibanaResponse](./kibana-plugin-server.ikibanaresponse.md) | A response data object, expected to returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution |
+|  [IKibanaSocket](./kibana-plugin-server.ikibanasocket.md) | A tiny abstraction for TCP socket. |
+|  [ImageValidation](./kibana-plugin-server.imagevalidation.md) |  |
+|  [IndexSettingsDeprecationInfo](./kibana-plugin-server.indexsettingsdeprecationinfo.md) |  |
+|  [IRenderOptions](./kibana-plugin-server.irenderoptions.md) |  |
+|  [IRouter](./kibana-plugin-server.irouter.md) | Registers route handlers for specified resource path and method. See [RouteConfig](./kibana-plugin-server.routeconfig.md) and [RequestHandler](./kibana-plugin-server.requesthandler.md) for more information about arguments to route registrations. |
+|  [IScopedRenderingClient](./kibana-plugin-server.iscopedrenderingclient.md) |  |
+|  [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) | Server-side client that provides access to the advanced settings stored in elasticsearch. The settings provide control over the behavior of the Kibana application. For example, a user can specify how to display numeric or date fields. Users can adjust the settings via Management UI. |
+|  [KibanaRequestEvents](./kibana-plugin-server.kibanarequestevents.md) | Request events. |
+|  [KibanaRequestRoute](./kibana-plugin-server.kibanarequestroute.md) | Request specific route information exposed to a handler. |
+|  [LegacyRequest](./kibana-plugin-server.legacyrequest.md) |  |
+|  [LegacyServiceSetupDeps](./kibana-plugin-server.legacyservicesetupdeps.md) |  |
+|  [LegacyServiceStartDeps](./kibana-plugin-server.legacyservicestartdeps.md) |  |
+|  [Logger](./kibana-plugin-server.logger.md) | Logger exposes all the necessary methods to log any type of information and this is the interface used by the logging consumers including plugins. |
+|  [LoggerFactory](./kibana-plugin-server.loggerfactory.md) | The single purpose of <code>LoggerFactory</code> interface is to define a way to retrieve a context-based logger instance. |
+|  [LogMeta](./kibana-plugin-server.logmeta.md) | Contextual metadata |
+|  [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) | A tool set defining an outcome of OnPostAuth interceptor for incoming request. |
+|  [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
+|  [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) | Additional data to extend a response. |
+|  [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) | Response status code. |
+|  [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) | A tool set defining an outcome of OnPreAuth interceptor for incoming request. |
+|  [PackageInfo](./kibana-plugin-server.packageinfo.md) |  |
+|  [Plugin](./kibana-plugin-server.plugin.md) | The interface that should be returned by a <code>PluginInitializer</code>. |
+|  [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) | Describes a plugin configuration properties. |
+|  [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) | Context that's available to plugins during initialization stage. |
+|  [PluginManifest](./kibana-plugin-server.pluginmanifest.md) | Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file. |
+|  [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) |  |
+|  [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) |  |
+|  [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) | Plugin specific context passed to a route handler.<!-- -->Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request |
+|  [RouteConfig](./kibana-plugin-server.routeconfig.md) | Route specific configuration. |
+|  [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) | Additional route options. |
+|  [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) | Additional body options for a route |
+|  [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) | Validation result factory to be used in the custom validation function to return the valid data or validation errors<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->. |
+|  [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) | The configuration object to the RouteValidator class. Set <code>params</code>, <code>query</code> and/or <code>body</code> to specify the validation logic to follow for that property. |
+|  [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) | Additional options for the RouteValidator class to modify its default behaviour. |
+|  [SavedObject](./kibana-plugin-server.savedobject.md) |  |
+|  [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md) | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) | A reference to another saved object. |
+|  [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) |  |
+|  [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) |  |
+|  [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) |  |
+|  [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) |  |
+|  [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) |  |
+|  [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) |  |
+|  [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) |  |
+|  [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) | Options to control the creation of the Saved Objects Client. |
+|  [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) | Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance. |
+|  [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) |  |
+|  [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) |  |
+|  [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) |  |
+|  [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) | Options controlling the export operation. |
+|  [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) | Structure of the export result details entry |
+|  [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) |  |
+|  [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) | Return type of the Saved Objects <code>find()</code> method.<!-- -->\*Note\*: this type is different between the Public and Server Saved Objects clients. |
+|  [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) | Represents a failure to import due to a conflict. |
+|  [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) | Represents a failure to import. |
+|  [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) | Represents a failure to import due to missing references. |
+|  [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) | Options to control the import operation. |
+|  [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) | The response describing the result of an import. |
+|  [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) | Describes a retry operation for importing a saved object. |
+|  [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) | Represents a failure to import due to an unknown reason. |
+|  [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) | Represents a failure to import due to having an unsupported saved object type. |
+|  [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) |  |
+|  [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) |  |
+|  [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md) | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) | A raw document as represented directly in the saved object index. |
+|  [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) | Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) |
+|  [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) | Options to control the "resolve import" operation. |
+|  [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) | Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers. |
+|  [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects. |
+|  [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) |  |
+|  [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) |  |
+|  [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) | Return type from a function to validate cookie contents. |
+|  [SessionStorage](./kibana-plugin-server.sessionstorage.md) | Provides an interface to store and retrieve data across requests. |
+|  [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) | Configuration used to create HTTP session storage based on top of cookie mechanism. |
+|  [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) | SessionStorage factory to bind one to an incoming request |
+|  [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) | StringValidation with regex object |
+|  [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) | StringValidation as regex string |
+|  [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) | UiSettings parameters defined by the plugins. |
+|  [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) |  |
+|  [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) |  |
+|  [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) | Describes the values explicitly set by user. |
+|  [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) | APIs to access the application's instance uuid. |
+
+## Variables
+
+|  Variable | Description |
+|  --- | --- |
+|  [kibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Set of helpers used to create <code>KibanaResponse</code> to form HTTP response on an incoming request. Should be returned as a result of [RequestHandler](./kibana-plugin-server.requesthandler.md) execution. |
+|  [validBodyOutput](./kibana-plugin-server.validbodyoutput.md) | The set of valid body.output |
+
+## Type Aliases
+
+|  Type Alias | Description |
+|  --- | --- |
+|  [AuthenticationHandler](./kibana-plugin-server.authenticationhandler.md) | See [AuthToolkit](./kibana-plugin-server.authtoolkit.md)<!-- -->. |
+|  [AuthHeaders](./kibana-plugin-server.authheaders.md) | Auth Headers map |
+|  [AuthResult](./kibana-plugin-server.authresult.md) |  |
+|  [CapabilitiesProvider](./kibana-plugin-server.capabilitiesprovider.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [CapabilitiesSwitcher](./kibana-plugin-server.capabilitiesswitcher.md) | See [CapabilitiesSetup](./kibana-plugin-server.capabilitiessetup.md) |
+|  [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) | Configuration deprecation returned from [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) that handles a single deprecation from the configuration. |
+|  [ConfigDeprecationLogger](./kibana-plugin-server.configdeprecationlogger.md) | Logger interface used when invoking a [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) |
+|  [ConfigDeprecationProvider](./kibana-plugin-server.configdeprecationprovider.md) | A provider that should returns a list of [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md)<!-- -->.<!-- -->See [ConfigDeprecationFactory](./kibana-plugin-server.configdeprecationfactory.md) for more usage examples. |
+|  [ConfigPath](./kibana-plugin-server.configpath.md) |  |
+|  [ElasticsearchClientConfig](./kibana-plugin-server.elasticsearchclientconfig.md) |  |
+|  [GetAuthHeaders](./kibana-plugin-server.getauthheaders.md) | Get headers to authenticate a user against Elasticsearch. |
+|  [GetAuthState](./kibana-plugin-server.getauthstate.md) | Gets authentication state for a request. Returned by <code>auth</code> interceptor. |
+|  [HandlerContextType](./kibana-plugin-server.handlercontexttype.md) | Extracts the type of the first argument of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md) to represent the type of the context. |
+|  [HandlerFunction](./kibana-plugin-server.handlerfunction.md) | A function that accepts a context object and an optional number of additional arguments. Used for the generic types in [IContextContainer](./kibana-plugin-server.icontextcontainer.md) |
+|  [HandlerParameters](./kibana-plugin-server.handlerparameters.md) | Extracts the types of the additional arguments of a [HandlerFunction](./kibana-plugin-server.handlerfunction.md)<!-- -->, excluding the [HandlerContextType](./kibana-plugin-server.handlercontexttype.md)<!-- -->. |
+|  [Headers](./kibana-plugin-server.headers.md) | Http request headers to read. |
+|  [HttpResponsePayload](./kibana-plugin-server.httpresponsepayload.md) | Data send to the client as a response payload. |
+|  [IBasePath](./kibana-plugin-server.ibasepath.md) | Access or manipulate the Kibana base path[BasePath](./kibana-plugin-server.basepath.md) |
+|  [IClusterClient](./kibana-plugin-server.iclusterclient.md) | Represents an Elasticsearch cluster API client created by the platform. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [IContextProvider](./kibana-plugin-server.icontextprovider.md) | A function that returns a context value for a specific key of given context type. |
+|  [ICustomClusterClient](./kibana-plugin-server.icustomclusterclient.md) | Represents an Elasticsearch cluster API client created by a plugin. It allows to call API on behalf of the internal Kibana user and the actual user that is derived from the request headers (via <code>asScoped(...)</code>).<!-- -->See [ClusterClient](./kibana-plugin-server.clusterclient.md)<!-- -->. |
+|  [IsAuthenticated](./kibana-plugin-server.isauthenticated.md) | Returns authentication status for a request. |
+|  [ISavedObjectsRepository](./kibana-plugin-server.isavedobjectsrepository.md) | See [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) |
+|  [IScopedClusterClient](./kibana-plugin-server.iscopedclusterclient.md) | Serves the same purpose as "normal" <code>ClusterClient</code> but exposes additional <code>callAsCurrentUser</code> method that doesn't use credentials of the Kibana internal user (as <code>callAsInternalUser</code> does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.<!-- -->See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->. |
+|  [KibanaRequestRouteOptions](./kibana-plugin-server.kibanarequestrouteoptions.md) | Route options: If 'GET' or 'OPTIONS' method, body options won't be returned. |
+|  [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) | Creates an object containing request response payload, HTTP headers, error details, and other data transmitted to the client. |
+|  [KnownHeaders](./kibana-plugin-server.knownheaders.md) | Set of well-known HTTP headers. |
+|  [LifecycleResponseFactory](./kibana-plugin-server.lifecycleresponsefactory.md) | Creates an object containing redirection or error response with error details, HTTP headers, and other data transmitted to the client. |
+|  [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md) |  |
+|  [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md) |  |
+|  [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md) | Elasticsearch Refresh setting for mutating operation |
+|  [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md) | See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->. |
+|  [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
+|  [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md) | See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->. |
+|  [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) | Dedicated type for plugin configuration schema. |
+|  [PluginInitializer](./kibana-plugin-server.plugininitializer.md) | The <code>plugin</code> export at the root of a plugin's <code>server</code> directory should conform to this interface. |
+|  [PluginName](./kibana-plugin-server.pluginname.md) | Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious. |
+|  [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md) |  |
+|  [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md) |  |
+|  [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md) | HTTP response parameters for redirection response |
+|  [RequestHandler](./kibana-plugin-server.requesthandler.md) | A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions. |
+|  [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md) | An object that handles registration of http request context providers. |
+|  [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md) | Context provider for request handler. Extends request context object with provided functionality or data. |
+|  [ResponseError](./kibana-plugin-server.responseerror.md) | Error message and optional data send to the client in case of error. |
+|  [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md) | Additional data to provide error details. |
+|  [ResponseHeaders](./kibana-plugin-server.responseheaders.md) | Http response headers to set. |
+|  [RouteContentType](./kibana-plugin-server.routecontenttype.md) | The set of supported parseable Content-Types |
+|  [RouteMethod](./kibana-plugin-server.routemethod.md) | The set of common HTTP methods supported by Kibana routing. |
+|  [RouteRegistrar](./kibana-plugin-server.routeregistrar.md) | Route handler common definition |
+|  [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) | The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements. |
+|  [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md) | Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions<!-- -->See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation. |
+|  [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md) | Route validations config and options merged into one object |
+|  [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) | Type definition for a Saved Object attribute value |
+|  [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md) | Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md) |
+|  [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md) | Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.<!-- -->\#\# SavedObjectsClient errors<!-- -->Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:<!-- -->1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)<!-- -->Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the <code>isXYZError()</code> helpers exposed at <code>SavedObjectsErrorHelpers</code> should be used to understand and manage error responses from the <code>SavedObjectsClient</code>.<!-- -->Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for <code>error.body.error.type</code> or doing substring checks on <code>error.body.error.reason</code>, just use the helpers to understand the meaning of the error:<!-- -->\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }<!-- -->if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }<!-- -->// always rethrow the error unless you handle it throw error; \`\`\`<!-- -->\#\#\# 404s from missing index<!-- -->From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.<!-- -->At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.<!-- -->From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.<!-- -->\#\#\# 503s from missing index<!-- -->Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's <code>action.auto_create_index</code> setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.<!-- -->See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) |
+|  [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md) | Describes the factory used to create instances of the Saved Objects Client. |
+|  [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) | Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->. |
+|  [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) | Describes the factory used to create instances of Saved Objects Client Wrappers. |
+|  [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md) | A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.<!-- -->See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->. |
+|  [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md) |  |
+|  [StringValidation](./kibana-plugin-server.stringvalidation.md) | Allows regex objects or a regex string |
+|  [UiSettingsType](./kibana-plugin-server.uisettingstype.md) | UI element type to represent the settings. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md b/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
index e5ecc6779b282..879412e3a8ca8 100644
--- a/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
+++ b/docs/development/core/server/kibana-plugin-server.migration_assistance_index_action.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md)
-
-## MIGRATION\_ASSISTANCE\_INDEX\_ACTION type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type MIGRATION_ASSISTANCE_INDEX_ACTION = 'upgrade' | 'reindex';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_ASSISTANCE\_INDEX\_ACTION](./kibana-plugin-server.migration_assistance_index_action.md)
+
+## MIGRATION\_ASSISTANCE\_INDEX\_ACTION type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type MIGRATION_ASSISTANCE_INDEX_ACTION = 'upgrade' | 'reindex';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md b/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
index 33e02a1b2bce0..00f018da02d18 100644
--- a/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
+++ b/docs/development/core/server/kibana-plugin-server.migration_deprecation_level.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md)
-
-## MIGRATION\_DEPRECATION\_LEVEL type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type MIGRATION_DEPRECATION_LEVEL = 'none' | 'info' | 'warning' | 'critical';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MIGRATION\_DEPRECATION\_LEVEL](./kibana-plugin-server.migration_deprecation_level.md)
+
+## MIGRATION\_DEPRECATION\_LEVEL type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type MIGRATION_DEPRECATION_LEVEL = 'none' | 'info' | 'warning' | 'critical';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md b/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
index 94c8fa8c22ef6..7d2187bec6c25 100644
--- a/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
+++ b/docs/development/core/server/kibana-plugin-server.mutatingoperationrefreshsetting.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md)
-
-## MutatingOperationRefreshSetting type
-
-Elasticsearch Refresh setting for mutating operation
-
-<b>Signature:</b>
-
-```typescript
-export declare type MutatingOperationRefreshSetting = boolean | 'wait_for';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [MutatingOperationRefreshSetting](./kibana-plugin-server.mutatingoperationrefreshsetting.md)
+
+## MutatingOperationRefreshSetting type
+
+Elasticsearch Refresh setting for mutating operation
+
+<b>Signature:</b>
+
+```typescript
+export declare type MutatingOperationRefreshSetting = boolean | 'wait_for';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md b/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
index a887dea26e3bc..3191ca0f38002 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)
-
-## OnPostAuthHandler type
-
-See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPostAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPostAuthToolkit) => OnPostAuthResult | KibanaResponse | Promise<OnPostAuthResult | KibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthHandler](./kibana-plugin-server.onpostauthhandler.md)
+
+## OnPostAuthHandler type
+
+See [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPostAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPostAuthToolkit) => OnPostAuthResult | KibanaResponse | Promise<OnPostAuthResult | KibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
index 001c14c53fecb..9e73a77fc4b0c 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)
-
-## OnPostAuthToolkit interface
-
-A tool set defining an outcome of OnPostAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPostAuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpostauthtoolkit.next.md) | <code>() =&gt; OnPostAuthResult</code> | To pass request to the next handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md)
+
+## OnPostAuthToolkit interface
+
+A tool set defining an outcome of OnPostAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPostAuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpostauthtoolkit.next.md) | <code>() =&gt; OnPostAuthResult</code> | To pass request to the next handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
index cc9120defa442..877f41e49c493 100644
--- a/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpostauthtoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpostauthtoolkit.next.md)
-
-## OnPostAuthToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: () => OnPostAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPostAuthToolkit](./kibana-plugin-server.onpostauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpostauthtoolkit.next.md)
+
+## OnPostAuthToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: () => OnPostAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md b/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
index 003bd4b19eadf..dee943f6ee3b5 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthhandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)
-
-## OnPreAuthHandler type
-
-See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPreAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPreAuthToolkit) => OnPreAuthResult | KibanaResponse | Promise<OnPreAuthResult | KibanaResponse>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthHandler](./kibana-plugin-server.onpreauthhandler.md)
+
+## OnPreAuthHandler type
+
+See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPreAuthHandler = (request: KibanaRequest, response: LifecycleResponseFactory, toolkit: OnPreAuthToolkit) => OnPreAuthResult | KibanaResponse | Promise<OnPreAuthResult | KibanaResponse>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
index 174f377eec292..166eee8759df4 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)
-
-## OnPreAuthToolkit interface
-
-A tool set defining an outcome of OnPreAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreAuthToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpreauthtoolkit.next.md) | <code>() =&gt; OnPreAuthResult</code> | To pass request to the next handler |
-|  [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md) | <code>(url: string) =&gt; OnPreAuthResult</code> | Rewrite requested resources url before is was authenticated and routed to a handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)
+
+## OnPreAuthToolkit interface
+
+A tool set defining an outcome of OnPreAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreAuthToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpreauthtoolkit.next.md) | <code>() =&gt; OnPreAuthResult</code> | To pass request to the next handler |
+|  [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md) | <code>(url: string) =&gt; OnPreAuthResult</code> | Rewrite requested resources url before is was authenticated and routed to a handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
index 9281e5879ce9b..37909cbd8b24b 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpreauthtoolkit.next.md)
-
-## OnPreAuthToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: () => OnPreAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [next](./kibana-plugin-server.onpreauthtoolkit.next.md)
+
+## OnPreAuthToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: () => OnPreAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
index 0f401379c20fd..c7d97b31c364c 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreauthtoolkit.rewriteurl.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md)
-
-## OnPreAuthToolkit.rewriteUrl property
-
-Rewrite requested resources url before is was authenticated and routed to a handler
-
-<b>Signature:</b>
-
-```typescript
-rewriteUrl: (url: string) => OnPreAuthResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md) &gt; [rewriteUrl](./kibana-plugin-server.onpreauthtoolkit.rewriteurl.md)
+
+## OnPreAuthToolkit.rewriteUrl property
+
+Rewrite requested resources url before is was authenticated and routed to a handler
+
+<b>Signature:</b>
+
+```typescript
+rewriteUrl: (url: string) => OnPreAuthResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
index 8736020daf063..28fa2fd4a3035 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.headers.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) &gt; [headers](./kibana-plugin-server.onpreresponseextensions.headers.md)
-
-## OnPreResponseExtensions.headers property
-
-additional headers to attach to the response
-
-<b>Signature:</b>
-
-```typescript
-headers?: ResponseHeaders;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md) &gt; [headers](./kibana-plugin-server.onpreresponseextensions.headers.md)
+
+## OnPreResponseExtensions.headers property
+
+additional headers to attach to the response
+
+<b>Signature:</b>
+
+```typescript
+headers?: ResponseHeaders;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
index e5aa624c39909..7fd85e2371e0f 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseextensions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md)
-
-## OnPreResponseExtensions interface
-
-Additional data to extend a response.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseExtensions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [headers](./kibana-plugin-server.onpreresponseextensions.headers.md) | <code>ResponseHeaders</code> | additional headers to attach to the response |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseExtensions](./kibana-plugin-server.onpreresponseextensions.md)
+
+## OnPreResponseExtensions interface
+
+Additional data to extend a response.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseExtensions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [headers](./kibana-plugin-server.onpreresponseextensions.headers.md) | <code>ResponseHeaders</code> | additional headers to attach to the response |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md b/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
index 082de0a9b4aeb..9390686280a78 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsehandler.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)
-
-## OnPreResponseHandler type
-
-See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type OnPreResponseHandler = (request: KibanaRequest, preResponse: OnPreResponseInfo, toolkit: OnPreResponseToolkit) => OnPreResponseResult | Promise<OnPreResponseResult>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseHandler](./kibana-plugin-server.onpreresponsehandler.md)
+
+## OnPreResponseHandler type
+
+See [OnPreAuthToolkit](./kibana-plugin-server.onpreauthtoolkit.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type OnPreResponseHandler = (request: KibanaRequest, preResponse: OnPreResponseInfo, toolkit: OnPreResponseToolkit) => OnPreResponseResult | Promise<OnPreResponseResult>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
index 736b4298037cf..934b1d517ac46 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md)
-
-## OnPreResponseInfo interface
-
-Response status code.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md)
+
+## OnPreResponseInfo interface
+
+Response status code.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
index 4fd4529dc400f..ffe04f2583a9b 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponseinfo.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) &gt; [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md)
-
-## OnPreResponseInfo.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseInfo](./kibana-plugin-server.onpreresponseinfo.md) &gt; [statusCode](./kibana-plugin-server.onpreresponseinfo.statuscode.md)
+
+## OnPreResponseInfo.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
index 5525f5bf60284..9355731817409 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md)
-
-## OnPreResponseToolkit interface
-
-A tool set defining an outcome of OnPreAuth interceptor for incoming request.
-
-<b>Signature:</b>
-
-```typescript
-export interface OnPreResponseToolkit 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [next](./kibana-plugin-server.onpreresponsetoolkit.next.md) | <code>(responseExtensions?: OnPreResponseExtensions) =&gt; OnPreResponseResult</code> | To pass request to the next handler |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md)
+
+## OnPreResponseToolkit interface
+
+A tool set defining an outcome of OnPreAuth interceptor for incoming request.
+
+<b>Signature:</b>
+
+```typescript
+export interface OnPreResponseToolkit 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [next](./kibana-plugin-server.onpreresponsetoolkit.next.md) | <code>(responseExtensions?: OnPreResponseExtensions) =&gt; OnPreResponseResult</code> | To pass request to the next handler |
+
diff --git a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
index bfb5827b16b2f..cb4d67646a604 100644
--- a/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
+++ b/docs/development/core/server/kibana-plugin-server.onpreresponsetoolkit.next.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) &gt; [next](./kibana-plugin-server.onpreresponsetoolkit.next.md)
-
-## OnPreResponseToolkit.next property
-
-To pass request to the next handler
-
-<b>Signature:</b>
-
-```typescript
-next: (responseExtensions?: OnPreResponseExtensions) => OnPreResponseResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [OnPreResponseToolkit](./kibana-plugin-server.onpreresponsetoolkit.md) &gt; [next](./kibana-plugin-server.onpreresponsetoolkit.next.md)
+
+## OnPreResponseToolkit.next property
+
+To pass request to the next handler
+
+<b>Signature:</b>
+
+```typescript
+next: (responseExtensions?: OnPreResponseExtensions) => OnPreResponseResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md b/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
index 36f187180d31b..b9e086c38a22f 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.branch.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [branch](./kibana-plugin-server.packageinfo.branch.md)
-
-## PackageInfo.branch property
-
-<b>Signature:</b>
-
-```typescript
-branch: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [branch](./kibana-plugin-server.packageinfo.branch.md)
+
+## PackageInfo.branch property
+
+<b>Signature:</b>
+
+```typescript
+branch: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md b/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
index c0a231ee27ab0..2575d3d4170fb 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.buildnum.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildNum](./kibana-plugin-server.packageinfo.buildnum.md)
-
-## PackageInfo.buildNum property
-
-<b>Signature:</b>
-
-```typescript
-buildNum: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildNum](./kibana-plugin-server.packageinfo.buildnum.md)
+
+## PackageInfo.buildNum property
+
+<b>Signature:</b>
+
+```typescript
+buildNum: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md b/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
index 5e8de48067dd0..ae0cc4c7db0b7 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.buildsha.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildSha](./kibana-plugin-server.packageinfo.buildsha.md)
-
-## PackageInfo.buildSha property
-
-<b>Signature:</b>
-
-```typescript
-buildSha: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [buildSha](./kibana-plugin-server.packageinfo.buildsha.md)
+
+## PackageInfo.buildSha property
+
+<b>Signature:</b>
+
+```typescript
+buildSha: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md b/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
index e45970780d522..16d2b68a26623 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.dist.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [dist](./kibana-plugin-server.packageinfo.dist.md)
-
-## PackageInfo.dist property
-
-<b>Signature:</b>
-
-```typescript
-dist: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [dist](./kibana-plugin-server.packageinfo.dist.md)
+
+## PackageInfo.dist property
+
+<b>Signature:</b>
+
+```typescript
+dist: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.md b/docs/development/core/server/kibana-plugin-server.packageinfo.md
index 3ff02c9cda85d..c0c7e103a6077 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md)
-
-## PackageInfo interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PackageInfo 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [branch](./kibana-plugin-server.packageinfo.branch.md) | <code>string</code> |  |
-|  [buildNum](./kibana-plugin-server.packageinfo.buildnum.md) | <code>number</code> |  |
-|  [buildSha](./kibana-plugin-server.packageinfo.buildsha.md) | <code>string</code> |  |
-|  [dist](./kibana-plugin-server.packageinfo.dist.md) | <code>boolean</code> |  |
-|  [version](./kibana-plugin-server.packageinfo.version.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md)
+
+## PackageInfo interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PackageInfo 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [branch](./kibana-plugin-server.packageinfo.branch.md) | <code>string</code> |  |
+|  [buildNum](./kibana-plugin-server.packageinfo.buildnum.md) | <code>number</code> |  |
+|  [buildSha](./kibana-plugin-server.packageinfo.buildsha.md) | <code>string</code> |  |
+|  [dist](./kibana-plugin-server.packageinfo.dist.md) | <code>boolean</code> |  |
+|  [version](./kibana-plugin-server.packageinfo.version.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.packageinfo.version.md b/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
index e99e3c48d7041..f17ee6ee34199 100644
--- a/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
+++ b/docs/development/core/server/kibana-plugin-server.packageinfo.version.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [version](./kibana-plugin-server.packageinfo.version.md)
-
-## PackageInfo.version property
-
-<b>Signature:</b>
-
-```typescript
-version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PackageInfo](./kibana-plugin-server.packageinfo.md) &gt; [version](./kibana-plugin-server.packageinfo.version.md)
+
+## PackageInfo.version property
+
+<b>Signature:</b>
+
+```typescript
+version: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.md b/docs/development/core/server/kibana-plugin-server.plugin.md
index 73faf020a4a16..5b2c206e71e63 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md)
-
-## Plugin interface
-
-The interface that should be returned by a `PluginInitializer`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [setup(core, plugins)](./kibana-plugin-server.plugin.setup.md) |  |
-|  [start(core, plugins)](./kibana-plugin-server.plugin.start.md) |  |
-|  [stop()](./kibana-plugin-server.plugin.stop.md) |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md)
+
+## Plugin interface
+
+The interface that should be returned by a `PluginInitializer`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface Plugin<TSetup = void, TStart = void, TPluginsSetup extends object = object, TPluginsStart extends object = object> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [setup(core, plugins)](./kibana-plugin-server.plugin.setup.md) |  |
+|  [start(core, plugins)](./kibana-plugin-server.plugin.start.md) |  |
+|  [stop()](./kibana-plugin-server.plugin.stop.md) |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.setup.md b/docs/development/core/server/kibana-plugin-server.plugin.setup.md
index 5ceb504f796f1..66b669b28675d 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.setup.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.setup.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [setup](./kibana-plugin-server.plugin.setup.md)
-
-## Plugin.setup() method
-
-<b>Signature:</b>
-
-```typescript
-setup(core: CoreSetup, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreSetup</code> |  |
-|  plugins | <code>TPluginsSetup</code> |  |
-
-<b>Returns:</b>
-
-`TSetup | Promise<TSetup>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [setup](./kibana-plugin-server.plugin.setup.md)
+
+## Plugin.setup() method
+
+<b>Signature:</b>
+
+```typescript
+setup(core: CoreSetup, plugins: TPluginsSetup): TSetup | Promise<TSetup>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreSetup</code> |  |
+|  plugins | <code>TPluginsSetup</code> |  |
+
+<b>Returns:</b>
+
+`TSetup | Promise<TSetup>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.start.md b/docs/development/core/server/kibana-plugin-server.plugin.start.md
index 6ce9f05de7731..cfa692e704117 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.start.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.start.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [start](./kibana-plugin-server.plugin.start.md)
-
-## Plugin.start() method
-
-<b>Signature:</b>
-
-```typescript
-start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  core | <code>CoreStart</code> |  |
-|  plugins | <code>TPluginsStart</code> |  |
-
-<b>Returns:</b>
-
-`TStart | Promise<TStart>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [start](./kibana-plugin-server.plugin.start.md)
+
+## Plugin.start() method
+
+<b>Signature:</b>
+
+```typescript
+start(core: CoreStart, plugins: TPluginsStart): TStart | Promise<TStart>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  core | <code>CoreStart</code> |  |
+|  plugins | <code>TPluginsStart</code> |  |
+
+<b>Returns:</b>
+
+`TStart | Promise<TStart>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugin.stop.md b/docs/development/core/server/kibana-plugin-server.plugin.stop.md
index 1c51727c1d166..f46d170e77418 100644
--- a/docs/development/core/server/kibana-plugin-server.plugin.stop.md
+++ b/docs/development/core/server/kibana-plugin-server.plugin.stop.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [stop](./kibana-plugin-server.plugin.stop.md)
-
-## Plugin.stop() method
-
-<b>Signature:</b>
-
-```typescript
-stop?(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [Plugin](./kibana-plugin-server.plugin.md) &gt; [stop](./kibana-plugin-server.plugin.stop.md)
+
+## Plugin.stop() method
+
+<b>Signature:</b>
+
+```typescript
+stop?(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
index 00574101838f2..74cce60402338 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.deprecations.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md)
-
-## PluginConfigDescriptor.deprecations property
-
-Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration.
-
-<b>Signature:</b>
-
-```typescript
-deprecations?: ConfigDeprecationProvider;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md)
+
+## PluginConfigDescriptor.deprecations property
+
+Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration.
+
+<b>Signature:</b>
+
+```typescript
+deprecations?: ConfigDeprecationProvider;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
index d62b2457e9d9a..23e8ca5f9dec3 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md)
-
-## PluginConfigDescriptor.exposeToBrowser property
-
-List of configuration properties that will be available on the client-side plugin.
-
-<b>Signature:</b>
-
-```typescript
-exposeToBrowser?: {
-        [P in keyof T]?: boolean;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md)
+
+## PluginConfigDescriptor.exposeToBrowser property
+
+List of configuration properties that will be available on the client-side plugin.
+
+<b>Signature:</b>
+
+```typescript
+exposeToBrowser?: {
+        [P in keyof T]?: boolean;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
index 3d661ac66d2b7..731572d2167e9 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.md
@@ -1,50 +1,50 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md)
-
-## PluginConfigDescriptor interface
-
-Describes a plugin configuration properties.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginConfigDescriptor<T = any> 
-```
-
-## Example
-
-
-```typescript
-// my_plugin/server/index.ts
-import { schema, TypeOf } from '@kbn/config-schema';
-import { PluginConfigDescriptor } from 'kibana/server';
-
-const configSchema = schema.object({
-  secret: schema.string({ defaultValue: 'Only on server' }),
-  uiProp: schema.string({ defaultValue: 'Accessible from client' }),
-});
-
-type ConfigType = TypeOf<typeof configSchema>;
-
-export const config: PluginConfigDescriptor<ConfigType> = {
-  exposeToBrowser: {
-    uiProp: true,
-  },
-  schema: configSchema,
-  deprecations: ({ rename, unused }) => [
-    rename('securityKey', 'secret'),
-    unused('deprecatedProperty'),
-  ],
-};
-
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md) | <code>ConfigDeprecationProvider</code> | Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration. |
-|  [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md) | <code>{</code><br/><code>        [P in keyof T]?: boolean;</code><br/><code>    }</code> | List of configuration properties that will be available on the client-side plugin. |
-|  [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md) | <code>PluginConfigSchema&lt;T&gt;</code> | Schema to use to validate the plugin configuration.[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md)
+
+## PluginConfigDescriptor interface
+
+Describes a plugin configuration properties.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginConfigDescriptor<T = any> 
+```
+
+## Example
+
+
+```typescript
+// my_plugin/server/index.ts
+import { schema, TypeOf } from '@kbn/config-schema';
+import { PluginConfigDescriptor } from 'kibana/server';
+
+const configSchema = schema.object({
+  secret: schema.string({ defaultValue: 'Only on server' }),
+  uiProp: schema.string({ defaultValue: 'Accessible from client' }),
+});
+
+type ConfigType = TypeOf<typeof configSchema>;
+
+export const config: PluginConfigDescriptor<ConfigType> = {
+  exposeToBrowser: {
+    uiProp: true,
+  },
+  schema: configSchema,
+  deprecations: ({ rename, unused }) => [
+    rename('securityKey', 'secret'),
+    unused('deprecatedProperty'),
+  ],
+};
+
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [deprecations](./kibana-plugin-server.pluginconfigdescriptor.deprecations.md) | <code>ConfigDeprecationProvider</code> | Provider for the [ConfigDeprecation](./kibana-plugin-server.configdeprecation.md) to apply to the plugin configuration. |
+|  [exposeToBrowser](./kibana-plugin-server.pluginconfigdescriptor.exposetobrowser.md) | <code>{</code><br/><code>        [P in keyof T]?: boolean;</code><br/><code>    }</code> | List of configuration properties that will be available on the client-side plugin. |
+|  [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md) | <code>PluginConfigSchema&lt;T&gt;</code> | Schema to use to validate the plugin configuration.[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md) |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
index c4845d52ff212..eae10cae3cc98 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigdescriptor.schema.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md)
-
-## PluginConfigDescriptor.schema property
-
-Schema to use to validate the plugin configuration.
-
-[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
-
-<b>Signature:</b>
-
-```typescript
-schema: PluginConfigSchema<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigDescriptor](./kibana-plugin-server.pluginconfigdescriptor.md) &gt; [schema](./kibana-plugin-server.pluginconfigdescriptor.schema.md)
+
+## PluginConfigDescriptor.schema property
+
+Schema to use to validate the plugin configuration.
+
+[PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
+
+<b>Signature:</b>
+
+```typescript
+schema: PluginConfigSchema<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md b/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
index 6528798ec8e01..fcc65e431337e 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginconfigschema.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
-
-## PluginConfigSchema type
-
-Dedicated type for plugin configuration schema.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginConfigSchema<T> = Type<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginConfigSchema](./kibana-plugin-server.pluginconfigschema.md)
+
+## PluginConfigSchema type
+
+Dedicated type for plugin configuration schema.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginConfigSchema<T> = Type<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializer.md b/docs/development/core/server/kibana-plugin-server.plugininitializer.md
index 1254ed2c88da3..3412f4da7f09d 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializer.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializer](./kibana-plugin-server.plugininitializer.md)
-
-## PluginInitializer type
-
-The `plugin` export at the root of a plugin's `server` directory should conform to this interface.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializer](./kibana-plugin-server.plugininitializer.md)
+
+## PluginInitializer type
+
+The `plugin` export at the root of a plugin's `server` directory should conform to this interface.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginInitializer<TSetup, TStart, TPluginsSetup extends object = object, TPluginsStart extends object = object> = (core: PluginInitializerContext) => Plugin<TSetup, TStart, TPluginsSetup, TPluginsStart>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
index 56d064dcb290e..b555d5c889cb9 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.config.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [config](./kibana-plugin-server.plugininitializercontext.config.md)
-
-## PluginInitializerContext.config property
-
-<b>Signature:</b>
-
-```typescript
-config: {
-        legacy: {
-            globalConfig$: Observable<SharedGlobalConfig>;
-        };
-        create: <T = ConfigSchema>() => Observable<T>;
-        createIfExists: <T = ConfigSchema>() => Observable<T | undefined>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [config](./kibana-plugin-server.plugininitializercontext.config.md)
+
+## PluginInitializerContext.config property
+
+<b>Signature:</b>
+
+```typescript
+config: {
+        legacy: {
+            globalConfig$: Observable<SharedGlobalConfig>;
+        };
+        create: <T = ConfigSchema>() => Observable<T>;
+        createIfExists: <T = ConfigSchema>() => Observable<T | undefined>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
index fd4caa605c0e5..91bbc7839e495 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.env.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [env](./kibana-plugin-server.plugininitializercontext.env.md)
-
-## PluginInitializerContext.env property
-
-<b>Signature:</b>
-
-```typescript
-env: {
-        mode: EnvironmentMode;
-        packageInfo: Readonly<PackageInfo>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [env](./kibana-plugin-server.plugininitializercontext.env.md)
+
+## PluginInitializerContext.env property
+
+<b>Signature:</b>
+
+```typescript
+env: {
+        mode: EnvironmentMode;
+        packageInfo: Readonly<PackageInfo>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
index 688560f324d17..d50e9df486be7 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.logger.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [logger](./kibana-plugin-server.plugininitializercontext.logger.md)
-
-## PluginInitializerContext.logger property
-
-<b>Signature:</b>
-
-```typescript
-logger: LoggerFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [logger](./kibana-plugin-server.plugininitializercontext.logger.md)
+
+## PluginInitializerContext.logger property
+
+<b>Signature:</b>
+
+```typescript
+logger: LoggerFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
index c2fadfb779fc9..6adf7f277f632 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md)
-
-## PluginInitializerContext interface
-
-Context that's available to plugins during initialization stage.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginInitializerContext<ConfigSchema = unknown> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [config](./kibana-plugin-server.plugininitializercontext.config.md) | <code>{</code><br/><code>        legacy: {</code><br/><code>            globalConfig$: Observable&lt;SharedGlobalConfig&gt;;</code><br/><code>        };</code><br/><code>        create: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T&gt;;</code><br/><code>        createIfExists: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T &#124; undefined&gt;;</code><br/><code>    }</code> |  |
-|  [env](./kibana-plugin-server.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: EnvironmentMode;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
-|  [logger](./kibana-plugin-server.plugininitializercontext.logger.md) | <code>LoggerFactory</code> |  |
-|  [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md)
+
+## PluginInitializerContext interface
+
+Context that's available to plugins during initialization stage.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginInitializerContext<ConfigSchema = unknown> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [config](./kibana-plugin-server.plugininitializercontext.config.md) | <code>{</code><br/><code>        legacy: {</code><br/><code>            globalConfig$: Observable&lt;SharedGlobalConfig&gt;;</code><br/><code>        };</code><br/><code>        create: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T&gt;;</code><br/><code>        createIfExists: &lt;T = ConfigSchema&gt;() =&gt; Observable&lt;T &#124; undefined&gt;;</code><br/><code>    }</code> |  |
+|  [env](./kibana-plugin-server.plugininitializercontext.env.md) | <code>{</code><br/><code>        mode: EnvironmentMode;</code><br/><code>        packageInfo: Readonly&lt;PackageInfo&gt;;</code><br/><code>    }</code> |  |
+|  [logger](./kibana-plugin-server.plugininitializercontext.logger.md) | <code>LoggerFactory</code> |  |
+|  [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md) | <code>PluginOpaqueId</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
index 7ac177f039c91..e3149f8249892 100644
--- a/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
+++ b/docs/development/core/server/kibana-plugin-server.plugininitializercontext.opaqueid.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md)
-
-## PluginInitializerContext.opaqueId property
-
-<b>Signature:</b>
-
-```typescript
-opaqueId: PluginOpaqueId;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginInitializerContext](./kibana-plugin-server.plugininitializercontext.md) &gt; [opaqueId](./kibana-plugin-server.plugininitializercontext.opaqueid.md)
+
+## PluginInitializerContext.opaqueId property
+
+<b>Signature:</b>
+
+```typescript
+opaqueId: PluginOpaqueId;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
index 6ffe396aa2ed1..24b83cb22b535 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.configpath.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [configPath](./kibana-plugin-server.pluginmanifest.configpath.md)
-
-## PluginManifest.configPath property
-
-Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format.
-
-<b>Signature:</b>
-
-```typescript
-readonly configPath: ConfigPath;
-```
-
-## Example
-
-id: myPlugin configPath: my\_plugin
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [configPath](./kibana-plugin-server.pluginmanifest.configpath.md)
+
+## PluginManifest.configPath property
+
+Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format.
+
+<b>Signature:</b>
+
+```typescript
+readonly configPath: ConfigPath;
+```
+
+## Example
+
+id: myPlugin configPath: my\_plugin
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
index 104046f3ce7d0..34b0f3afc3f77 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [id](./kibana-plugin-server.pluginmanifest.id.md)
-
-## PluginManifest.id property
-
-Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc.
-
-<b>Signature:</b>
-
-```typescript
-readonly id: PluginName;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [id](./kibana-plugin-server.pluginmanifest.id.md)
+
+## PluginManifest.id property
+
+Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc.
+
+<b>Signature:</b>
+
+```typescript
+readonly id: PluginName;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
index f568dce9a8a9e..4f2e13ad448dc 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.kibanaversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md)
-
-## PluginManifest.kibanaVersion property
-
-The version of Kibana the plugin is compatible with, defaults to "version".
-
-<b>Signature:</b>
-
-```typescript
-readonly kibanaVersion: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md)
+
+## PluginManifest.kibanaVersion property
+
+The version of Kibana the plugin is compatible with, defaults to "version".
+
+<b>Signature:</b>
+
+```typescript
+readonly kibanaVersion: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
index c39a702389fb3..10ce3a921875f 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.md
@@ -1,31 +1,31 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md)
-
-## PluginManifest interface
-
-Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file.
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginManifest 
-```
-
-## Remarks
-
-Should never be used in code outside of Core but is exported for documentation purposes.
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [configPath](./kibana-plugin-server.pluginmanifest.configpath.md) | <code>ConfigPath</code> | Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format. |
-|  [id](./kibana-plugin-server.pluginmanifest.id.md) | <code>PluginName</code> | Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc. |
-|  [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md) | <code>string</code> | The version of Kibana the plugin is compatible with, defaults to "version". |
-|  [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
-|  [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
-|  [server](./kibana-plugin-server.pluginmanifest.server.md) | <code>boolean</code> | Specifies whether plugin includes some server-side specific functionality. |
-|  [ui](./kibana-plugin-server.pluginmanifest.ui.md) | <code>boolean</code> | Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via <code>public/ui_plugin.js</code> file. |
-|  [version](./kibana-plugin-server.pluginmanifest.version.md) | <code>string</code> | Version of the plugin. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md)
+
+## PluginManifest interface
+
+Describes the set of required and optional properties plugin can define in its mandatory JSON manifest file.
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginManifest 
+```
+
+## Remarks
+
+Should never be used in code outside of Core but is exported for documentation purposes.
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [configPath](./kibana-plugin-server.pluginmanifest.configpath.md) | <code>ConfigPath</code> | Root [configuration path](./kibana-plugin-server.configpath.md) used by the plugin, defaults to "id" in snake\_case format. |
+|  [id](./kibana-plugin-server.pluginmanifest.id.md) | <code>PluginName</code> | Identifier of the plugin. Must be a string in camelCase. Part of a plugin public contract. Other plugins leverage it to access plugin API, navigate to the plugin, etc. |
+|  [kibanaVersion](./kibana-plugin-server.pluginmanifest.kibanaversion.md) | <code>string</code> | The version of Kibana the plugin is compatible with, defaults to "version". |
+|  [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly. |
+|  [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md) | <code>readonly PluginName[]</code> | An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly. |
+|  [server](./kibana-plugin-server.pluginmanifest.server.md) | <code>boolean</code> | Specifies whether plugin includes some server-side specific functionality. |
+|  [ui](./kibana-plugin-server.pluginmanifest.ui.md) | <code>boolean</code> | Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via <code>public/ui_plugin.js</code> file. |
+|  [version](./kibana-plugin-server.pluginmanifest.version.md) | <code>string</code> | Version of the plugin. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
index 692785a705d40..c8abb389fc92a 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.optionalplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md)
-
-## PluginManifest.optionalPlugins property
-
-An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly optionalPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [optionalPlugins](./kibana-plugin-server.pluginmanifest.optionalplugins.md)
+
+## PluginManifest.optionalPlugins property
+
+An optional list of the other plugins that if installed and enabled \*\*may be\*\* leveraged by this plugin for some additional functionality but otherwise are not required for this plugin to work properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly optionalPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
index 0ea7c872dfa07..1a9753e889ae9 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.requiredplugins.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md)
-
-## PluginManifest.requiredPlugins property
-
-An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
-
-<b>Signature:</b>
-
-```typescript
-readonly requiredPlugins: readonly PluginName[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [requiredPlugins](./kibana-plugin-server.pluginmanifest.requiredplugins.md)
+
+## PluginManifest.requiredPlugins property
+
+An optional list of the other plugins that \*\*must be\*\* installed and enabled for this plugin to function properly.
+
+<b>Signature:</b>
+
+```typescript
+readonly requiredPlugins: readonly PluginName[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
index 676ad721edf7c..06f8a907876d0 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.server.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [server](./kibana-plugin-server.pluginmanifest.server.md)
-
-## PluginManifest.server property
-
-Specifies whether plugin includes some server-side specific functionality.
-
-<b>Signature:</b>
-
-```typescript
-readonly server: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [server](./kibana-plugin-server.pluginmanifest.server.md)
+
+## PluginManifest.server property
+
+Specifies whether plugin includes some server-side specific functionality.
+
+<b>Signature:</b>
+
+```typescript
+readonly server: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
index ad5ce2237c580..3526f63166260 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.ui.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [ui](./kibana-plugin-server.pluginmanifest.ui.md)
-
-## PluginManifest.ui property
-
-Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via `public/ui_plugin.js` file.
-
-<b>Signature:</b>
-
-```typescript
-readonly ui: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [ui](./kibana-plugin-server.pluginmanifest.ui.md)
+
+## PluginManifest.ui property
+
+Specifies whether plugin includes some client/browser specific functionality that should be included into client bundle via `public/ui_plugin.js` file.
+
+<b>Signature:</b>
+
+```typescript
+readonly ui: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md b/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
index 75255096408f3..1e58e03a743a5 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginmanifest.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [version](./kibana-plugin-server.pluginmanifest.version.md)
-
-## PluginManifest.version property
-
-Version of the plugin.
-
-<b>Signature:</b>
-
-```typescript
-readonly version: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginManifest](./kibana-plugin-server.pluginmanifest.md) &gt; [version](./kibana-plugin-server.pluginmanifest.version.md)
+
+## PluginManifest.version property
+
+Version of the plugin.
+
+<b>Signature:</b>
+
+```typescript
+readonly version: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginname.md b/docs/development/core/server/kibana-plugin-server.pluginname.md
index 02121c10d6b1d..365a4720ba514 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginname.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginname.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginName](./kibana-plugin-server.pluginname.md)
-
-## PluginName type
-
-Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious.
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginName = string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginName](./kibana-plugin-server.pluginname.md)
+
+## PluginName type
+
+Dedicated type for plugin name/id that is supposed to make Map/Set/Arrays that use it as a key or value more obvious.
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginName = string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md b/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
index 3b2399d95137d..11bec2b2de209 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginopaqueid.md
@@ -1,12 +1,12 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md)
-
-## PluginOpaqueId type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type PluginOpaqueId = symbol;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginOpaqueId](./kibana-plugin-server.pluginopaqueid.md)
+
+## PluginOpaqueId type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type PluginOpaqueId = symbol;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
index 90eb5daade31f..174dabe63005e 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.contracts.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md)
-
-## PluginsServiceSetup.contracts property
-
-<b>Signature:</b>
-
-```typescript
-contracts: Map<PluginName, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md)
+
+## PluginsServiceSetup.contracts property
+
+<b>Signature:</b>
+
+```typescript
+contracts: Map<PluginName, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
index 248726e26f393..e24c428eecec8 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md)
-
-## PluginsServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginsServiceSetup 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
-|  [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md) | <code>{</code><br/><code>        internal: Map&lt;PluginName, InternalPluginInfo&gt;;</code><br/><code>        public: Map&lt;PluginName, DiscoveredPlugin&gt;;</code><br/><code>        browserConfigs: Map&lt;PluginName, Observable&lt;unknown&gt;&gt;;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md)
+
+## PluginsServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginsServiceSetup 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [contracts](./kibana-plugin-server.pluginsservicesetup.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
+|  [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md) | <code>{</code><br/><code>        internal: Map&lt;PluginName, InternalPluginInfo&gt;;</code><br/><code>        public: Map&lt;PluginName, DiscoveredPlugin&gt;;</code><br/><code>        browserConfigs: Map&lt;PluginName, Observable&lt;unknown&gt;&gt;;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
index 7c47304cb9bf6..5f9dcd15a9dee 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicesetup.uiplugins.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md)
-
-## PluginsServiceSetup.uiPlugins property
-
-<b>Signature:</b>
-
-```typescript
-uiPlugins: {
-        internal: Map<PluginName, InternalPluginInfo>;
-        public: Map<PluginName, DiscoveredPlugin>;
-        browserConfigs: Map<PluginName, Observable<unknown>>;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceSetup](./kibana-plugin-server.pluginsservicesetup.md) &gt; [uiPlugins](./kibana-plugin-server.pluginsservicesetup.uiplugins.md)
+
+## PluginsServiceSetup.uiPlugins property
+
+<b>Signature:</b>
+
+```typescript
+uiPlugins: {
+        internal: Map<PluginName, InternalPluginInfo>;
+        public: Map<PluginName, DiscoveredPlugin>;
+        browserConfigs: Map<PluginName, Observable<unknown>>;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
index 694ca647883bd..23e4691ae7266 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.contracts.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) &gt; [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md)
-
-## PluginsServiceStart.contracts property
-
-<b>Signature:</b>
-
-```typescript
-contracts: Map<PluginName, unknown>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md) &gt; [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md)
+
+## PluginsServiceStart.contracts property
+
+<b>Signature:</b>
+
+```typescript
+contracts: Map<PluginName, unknown>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
index 4ac66afbd7a3e..9d8e7ee3ef744 100644
--- a/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.pluginsservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md)
-
-## PluginsServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface PluginsServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [PluginsServiceStart](./kibana-plugin-server.pluginsservicestart.md)
+
+## PluginsServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface PluginsServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [contracts](./kibana-plugin-server.pluginsservicestart.contracts.md) | <code>Map&lt;PluginName, unknown&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.recursivereadonly.md b/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
index 562fb9131c7bb..9a0edaff6bcad 100644
--- a/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
+++ b/docs/development/core/server/kibana-plugin-server.recursivereadonly.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md)
-
-## RecursiveReadonly type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
-    [K in keyof T]: RecursiveReadonly<T[K]>;
-}> : T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RecursiveReadonly](./kibana-plugin-server.recursivereadonly.md)
+
+## RecursiveReadonly type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type RecursiveReadonly<T> = T extends (...args: any[]) => any ? T : T extends any[] ? RecursiveReadonlyArray<T[number]> : T extends object ? Readonly<{
+    [K in keyof T]: RecursiveReadonly<T[K]>;
+}> : T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md b/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
index 6fb0a5add2fb6..3d63865ce0f3e 100644
--- a/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.redirectresponseoptions.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md)
-
-## RedirectResponseOptions type
-
-HTTP response parameters for redirection response
-
-<b>Signature:</b>
-
-```typescript
-export declare type RedirectResponseOptions = HttpResponseOptions & {
-    headers: {
-        location: string;
-    };
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RedirectResponseOptions](./kibana-plugin-server.redirectresponseoptions.md)
+
+## RedirectResponseOptions type
+
+HTTP response parameters for redirection response
+
+<b>Signature:</b>
+
+```typescript
+export declare type RedirectResponseOptions = HttpResponseOptions & {
+    headers: {
+        location: string;
+    };
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandler.md b/docs/development/core/server/kibana-plugin-server.requesthandler.md
index 9fc183ffc334b..d9b6fc4a008e5 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandler.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandler.md
@@ -1,42 +1,42 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandler](./kibana-plugin-server.requesthandler.md)
-
-## RequestHandler type
-
-A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandler<P = unknown, Q = unknown, B = unknown, Method extends RouteMethod = any> = (context: RequestHandlerContext, request: KibanaRequest<P, Q, B, Method>, response: KibanaResponseFactory) => IKibanaResponse<any> | Promise<IKibanaResponse<any>>;
-```
-
-## Example
-
-
-```ts
-const router = httpSetup.createRouter();
-// creates a route handler for GET request on 'my-app/path/{id}' path
-router.get(
-  {
-    path: 'path/{id}',
-    // defines a validation schema for a named segment of the route path
-    validate: {
-      params: schema.object({
-        id: schema.string(),
-      }),
-    },
-  },
-  // function to execute to create a responses
-  async (context, request, response) => {
-    const data = await context.findObject(request.params.id);
-    // creates a command to respond with 'not found' error
-    if (!data) return response.notFound();
-    // creates a command to send found data to the client
-    return response.ok(data);
-  }
-);
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandler](./kibana-plugin-server.requesthandler.md)
+
+## RequestHandler type
+
+A function executed when route path matched requested resource path. Request handler is expected to return a result of one of [KibanaResponseFactory](./kibana-plugin-server.kibanaresponsefactory.md) functions.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandler<P = unknown, Q = unknown, B = unknown, Method extends RouteMethod = any> = (context: RequestHandlerContext, request: KibanaRequest<P, Q, B, Method>, response: KibanaResponseFactory) => IKibanaResponse<any> | Promise<IKibanaResponse<any>>;
+```
+
+## Example
+
+
+```ts
+const router = httpSetup.createRouter();
+// creates a route handler for GET request on 'my-app/path/{id}' path
+router.get(
+  {
+    path: 'path/{id}',
+    // defines a validation schema for a named segment of the route path
+    validate: {
+      params: schema.object({
+        id: schema.string(),
+      }),
+    },
+  },
+  // function to execute to create a responses
+  async (context, request, response) => {
+    const data = await context.findObject(request.params.id);
+    // creates a command to respond with 'not found' error
+    if (!data) return response.notFound();
+    // creates a command to send found data to the client
+    return response.ok(data);
+  }
+);
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
index d1760dafd5bb6..77bfd85e6e54b 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.core.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) &gt; [core](./kibana-plugin-server.requesthandlercontext.core.md)
-
-## RequestHandlerContext.core property
-
-<b>Signature:</b>
-
-```typescript
-core: {
-        rendering: IScopedRenderingClient;
-        savedObjects: {
-            client: SavedObjectsClientContract;
-        };
-        elasticsearch: {
-            dataClient: IScopedClusterClient;
-            adminClient: IScopedClusterClient;
-        };
-        uiSettings: {
-            client: IUiSettingsClient;
-        };
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md) &gt; [core](./kibana-plugin-server.requesthandlercontext.core.md)
+
+## RequestHandlerContext.core property
+
+<b>Signature:</b>
+
+```typescript
+core: {
+        rendering: IScopedRenderingClient;
+        savedObjects: {
+            client: SavedObjectsClientContract;
+        };
+        elasticsearch: {
+            dataClient: IScopedClusterClient;
+            adminClient: IScopedClusterClient;
+        };
+        uiSettings: {
+            client: IUiSettingsClient;
+        };
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
index 7c8625a5824ee..4d14d890f51a2 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontext.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)
-
-## RequestHandlerContext interface
-
-Plugin specific context passed to a route handler.
-
-Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request
-
-<b>Signature:</b>
-
-```typescript
-export interface RequestHandlerContext 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [core](./kibana-plugin-server.requesthandlercontext.core.md) | <code>{</code><br/><code>        rendering: IScopedRenderingClient;</code><br/><code>        savedObjects: {</code><br/><code>            client: SavedObjectsClientContract;</code><br/><code>        };</code><br/><code>        elasticsearch: {</code><br/><code>            dataClient: IScopedClusterClient;</code><br/><code>            adminClient: IScopedClusterClient;</code><br/><code>        };</code><br/><code>        uiSettings: {</code><br/><code>            client: IUiSettingsClient;</code><br/><code>        };</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)
+
+## RequestHandlerContext interface
+
+Plugin specific context passed to a route handler.
+
+Provides the following clients: - [rendering](./kibana-plugin-server.iscopedrenderingclient.md) - Rendering client which uses the data of the incoming request - [savedObjects.client](./kibana-plugin-server.savedobjectsclient.md) - Saved Objects client which uses the credentials of the incoming request - [elasticsearch.dataClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch data client which uses the credentials of the incoming request - [elasticsearch.adminClient](./kibana-plugin-server.scopedclusterclient.md) - Elasticsearch admin client which uses the credentials of the incoming request - [uiSettings.client](./kibana-plugin-server.iuisettingsclient.md) - uiSettings client which uses the credentials of the incoming request
+
+<b>Signature:</b>
+
+```typescript
+export interface RequestHandlerContext 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [core](./kibana-plugin-server.requesthandlercontext.core.md) | <code>{</code><br/><code>        rendering: IScopedRenderingClient;</code><br/><code>        savedObjects: {</code><br/><code>            client: SavedObjectsClientContract;</code><br/><code>        };</code><br/><code>        elasticsearch: {</code><br/><code>            dataClient: IScopedClusterClient;</code><br/><code>            adminClient: IScopedClusterClient;</code><br/><code>        };</code><br/><code>        uiSettings: {</code><br/><code>            client: IUiSettingsClient;</code><br/><code>        };</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
index b76a9ce7d235c..90bb49b292a70 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontextcontainer.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md)
-
-## RequestHandlerContextContainer type
-
-An object that handles registration of http request context providers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandlerContextContainer = IContextContainer<RequestHandler<any, any, any>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextContainer](./kibana-plugin-server.requesthandlercontextcontainer.md)
+
+## RequestHandlerContextContainer type
+
+An object that handles registration of http request context providers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandlerContextContainer = IContextContainer<RequestHandler<any, any, any>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md b/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
index ea7294b721aab..f75462f8d1218 100644
--- a/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.requesthandlercontextprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md)
-
-## RequestHandlerContextProvider type
-
-Context provider for request handler. Extends request context object with provided functionality or data.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RequestHandlerContextProvider<TContextName extends keyof RequestHandlerContext> = IContextProvider<RequestHandler<any, any, any>, TContextName>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RequestHandlerContextProvider](./kibana-plugin-server.requesthandlercontextprovider.md)
+
+## RequestHandlerContextProvider type
+
+Context provider for request handler. Extends request context object with provided functionality or data.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RequestHandlerContextProvider<TContextName extends keyof RequestHandlerContext> = IContextProvider<RequestHandler<any, any, any>, TContextName>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseerror.md b/docs/development/core/server/kibana-plugin-server.responseerror.md
index 11d5e786d66e8..a623ddf8f3395 100644
--- a/docs/development/core/server/kibana-plugin-server.responseerror.md
+++ b/docs/development/core/server/kibana-plugin-server.responseerror.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseError](./kibana-plugin-server.responseerror.md)
-
-## ResponseError type
-
-Error message and optional data send to the client in case of error.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseError = string | Error | {
-    message: string | Error;
-    attributes?: ResponseErrorAttributes;
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseError](./kibana-plugin-server.responseerror.md)
+
+## ResponseError type
+
+Error message and optional data send to the client in case of error.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseError = string | Error | {
+    message: string | Error;
+    attributes?: ResponseErrorAttributes;
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md b/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
index 32cc72e9a0d52..75db8594e636c 100644
--- a/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
+++ b/docs/development/core/server/kibana-plugin-server.responseerrorattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md)
-
-## ResponseErrorAttributes type
-
-Additional data to provide error details.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseErrorAttributes = Record<string, any>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseErrorAttributes](./kibana-plugin-server.responseerrorattributes.md)
+
+## ResponseErrorAttributes type
+
+Additional data to provide error details.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseErrorAttributes = Record<string, any>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.responseheaders.md b/docs/development/core/server/kibana-plugin-server.responseheaders.md
index c6ba852b9a624..606c880360edc 100644
--- a/docs/development/core/server/kibana-plugin-server.responseheaders.md
+++ b/docs/development/core/server/kibana-plugin-server.responseheaders.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseHeaders](./kibana-plugin-server.responseheaders.md)
-
-## ResponseHeaders type
-
-Http response headers to set.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ResponseHeaders = {
-    [header in KnownHeaders]?: string | string[];
-} & {
-    [header: string]: string | string[];
-};
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ResponseHeaders](./kibana-plugin-server.responseheaders.md)
+
+## ResponseHeaders type
+
+Http response headers to set.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ResponseHeaders = {
+    [header in KnownHeaders]?: string | string[];
+} & {
+    [header: string]: string | string[];
+};
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.md b/docs/development/core/server/kibana-plugin-server.routeconfig.md
index 4beb12f0d056e..78c18afc3ca8c 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md)
-
-## RouteConfig interface
-
-Route specific configuration.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfig<P, Q, B, Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [options](./kibana-plugin-server.routeconfig.options.md) | <code>RouteConfigOptions&lt;Method&gt;</code> | Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->. |
-|  [path](./kibana-plugin-server.routeconfig.path.md) | <code>string</code> | The endpoint \_within\_ the router path to register the route. |
-|  [validate](./kibana-plugin-server.routeconfig.validate.md) | <code>RouteValidatorFullConfig&lt;P, Q, B&gt; &#124; false</code> | A schema created with <code>@kbn/config-schema</code> that every request will be validated against. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md)
+
+## RouteConfig interface
+
+Route specific configuration.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfig<P, Q, B, Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [options](./kibana-plugin-server.routeconfig.options.md) | <code>RouteConfigOptions&lt;Method&gt;</code> | Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->. |
+|  [path](./kibana-plugin-server.routeconfig.path.md) | <code>string</code> | The endpoint \_within\_ the router path to register the route. |
+|  [validate](./kibana-plugin-server.routeconfig.validate.md) | <code>RouteValidatorFullConfig&lt;P, Q, B&gt; &#124; false</code> | A schema created with <code>@kbn/config-schema</code> that every request will be validated against. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.options.md b/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
index 90ad294457101..5423b3c197973 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [options](./kibana-plugin-server.routeconfig.options.md)
-
-## RouteConfig.options property
-
-Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-options?: RouteConfigOptions<Method>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [options](./kibana-plugin-server.routeconfig.options.md)
+
+## RouteConfig.options property
+
+Additional route options [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+options?: RouteConfigOptions<Method>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.path.md b/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
index 0e6fa19f98ace..1e1e01a74de31 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.path.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [path](./kibana-plugin-server.routeconfig.path.md)
-
-## RouteConfig.path property
-
-The endpoint \_within\_ the router path to register the route.
-
-<b>Signature:</b>
-
-```typescript
-path: string;
-```
-
-## Remarks
-
-E.g. if the router is registered at `/elasticsearch` and the route path is `/search`<!-- -->, the full path for the route is `/elasticsearch/search`<!-- -->. Supports: - named path segments `path/{name}`<!-- -->. - optional path segments `path/{position?}`<!-- -->. - multi-segments `path/{coordinates*2}`<!-- -->. Segments are accessible within a handler function as `params` property of [KibanaRequest](./kibana-plugin-server.kibanarequest.md) object. To have read access to `params` you \*must\* specify validation schema with [RouteConfig.validate](./kibana-plugin-server.routeconfig.validate.md)<!-- -->.
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [path](./kibana-plugin-server.routeconfig.path.md)
+
+## RouteConfig.path property
+
+The endpoint \_within\_ the router path to register the route.
+
+<b>Signature:</b>
+
+```typescript
+path: string;
+```
+
+## Remarks
+
+E.g. if the router is registered at `/elasticsearch` and the route path is `/search`<!-- -->, the full path for the route is `/elasticsearch/search`<!-- -->. Supports: - named path segments `path/{name}`<!-- -->. - optional path segments `path/{position?}`<!-- -->. - multi-segments `path/{coordinates*2}`<!-- -->. Segments are accessible within a handler function as `params` property of [KibanaRequest](./kibana-plugin-server.kibanarequest.md) object. To have read access to `params` you \*must\* specify validation schema with [RouteConfig.validate](./kibana-plugin-server.routeconfig.validate.md)<!-- -->.
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md b/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
index 23a72fc3c68b3..c69ff4cbb5af2 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfig.validate.md
@@ -1,62 +1,62 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [validate](./kibana-plugin-server.routeconfig.validate.md)
-
-## RouteConfig.validate property
-
-A schema created with `@kbn/config-schema` that every request will be validated against.
-
-<b>Signature:</b>
-
-```typescript
-validate: RouteValidatorFullConfig<P, Q, B> | false;
-```
-
-## Remarks
-
-You \*must\* specify a validation schema to be able to read: - url path segments - request query - request body To opt out of validating the request, specify `validate: false`<!-- -->. In this case request params, query, and body will be \*\*empty\*\* objects and have no access to raw values. In some cases you may want to use another validation library. To do this, you need to instruct the `@kbn/config-schema` library to output \*\*non-validated values\*\* with setting schema as `schema.object({}, { allowUnknowns: true })`<!-- -->;
-
-## Example
-
-
-```ts
- import { schema } from '@kbn/config-schema';
- router.get({
-  path: 'path/{id}',
-  validate: {
-    params: schema.object({
-      id: schema.string(),
-    }),
-    query: schema.object({...}),
-    body: schema.object({...}),
-  },
-},
-(context, req, res,) {
-  req.params; // type Readonly<{id: string}>
-  console.log(req.params.id); // value
-});
-
-router.get({
-  path: 'path/{id}',
-  validate: false, // handler has no access to params, query, body values.
-},
-(context, req, res,) {
-  req.params; // type Readonly<{}>;
-  console.log(req.params.id); // undefined
-});
-
-router.get({
-  path: 'path/{id}',
-  validate: {
-    // handler has access to raw non-validated params in runtime
-    params: schema.object({}, { allowUnknowns: true })
-  },
-},
-(context, req, res,) {
-  req.params; // type Readonly<{}>;
-  console.log(req.params.id); // value
-  myValidationLibrary.validate({ params: req.params });
-});
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfig](./kibana-plugin-server.routeconfig.md) &gt; [validate](./kibana-plugin-server.routeconfig.validate.md)
+
+## RouteConfig.validate property
+
+A schema created with `@kbn/config-schema` that every request will be validated against.
+
+<b>Signature:</b>
+
+```typescript
+validate: RouteValidatorFullConfig<P, Q, B> | false;
+```
+
+## Remarks
+
+You \*must\* specify a validation schema to be able to read: - url path segments - request query - request body To opt out of validating the request, specify `validate: false`<!-- -->. In this case request params, query, and body will be \*\*empty\*\* objects and have no access to raw values. In some cases you may want to use another validation library. To do this, you need to instruct the `@kbn/config-schema` library to output \*\*non-validated values\*\* with setting schema as `schema.object({}, { allowUnknowns: true })`<!-- -->;
+
+## Example
+
+
+```ts
+ import { schema } from '@kbn/config-schema';
+ router.get({
+  path: 'path/{id}',
+  validate: {
+    params: schema.object({
+      id: schema.string(),
+    }),
+    query: schema.object({...}),
+    body: schema.object({...}),
+  },
+},
+(context, req, res,) {
+  req.params; // type Readonly<{id: string}>
+  console.log(req.params.id); // value
+});
+
+router.get({
+  path: 'path/{id}',
+  validate: false, // handler has no access to params, query, body values.
+},
+(context, req, res,) {
+  req.params; // type Readonly<{}>;
+  console.log(req.params.id); // undefined
+});
+
+router.get({
+  path: 'path/{id}',
+  validate: {
+    // handler has access to raw non-validated params in runtime
+    params: schema.object({}, { allowUnknowns: true })
+  },
+},
+(context, req, res,) {
+  req.params; // type Readonly<{}>;
+  console.log(req.params.id); // value
+  myValidationLibrary.validate({ params: req.params });
+});
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
index 2bb2491cae5df..e4cbca9c97810 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.authrequired.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md)
-
-## RouteConfigOptions.authRequired property
-
-A flag shows that authentication for a route: `enabled` when true `disabled` when false
-
-Enabled by default.
-
-<b>Signature:</b>
-
-```typescript
-authRequired?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md)
+
+## RouteConfigOptions.authRequired property
+
+A flag shows that authentication for a route: `enabled` when true `disabled` when false
+
+Enabled by default.
+
+<b>Signature:</b>
+
+```typescript
+authRequired?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
index fee5528ce3378..8b7cc6ab06f7f 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [body](./kibana-plugin-server.routeconfigoptions.body.md)
-
-## RouteConfigOptions.body property
-
-Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-body?: Method extends 'get' | 'options' ? undefined : RouteConfigOptionsBody;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [body](./kibana-plugin-server.routeconfigoptions.body.md)
+
+## RouteConfigOptions.body property
+
+Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+body?: Method extends 'get' | 'options' ? undefined : RouteConfigOptionsBody;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
index 99339db81065c..0929e15b6228b 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)
-
-## RouteConfigOptions interface
-
-Additional route options.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfigOptions<Method extends RouteMethod> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md) | <code>boolean</code> | A flag shows that authentication for a route: <code>enabled</code> when true <code>disabled</code> when false<!-- -->Enabled by default. |
-|  [body](./kibana-plugin-server.routeconfigoptions.body.md) | <code>Method extends 'get' &#124; 'options' ? undefined : RouteConfigOptionsBody</code> | Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->. |
-|  [tags](./kibana-plugin-server.routeconfigoptions.tags.md) | <code>readonly string[]</code> | Additional metadata tag strings to attach to the route. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md)
+
+## RouteConfigOptions interface
+
+Additional route options.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfigOptions<Method extends RouteMethod> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [authRequired](./kibana-plugin-server.routeconfigoptions.authrequired.md) | <code>boolean</code> | A flag shows that authentication for a route: <code>enabled</code> when true <code>disabled</code> when false<!-- -->Enabled by default. |
+|  [body](./kibana-plugin-server.routeconfigoptions.body.md) | <code>Method extends 'get' &#124; 'options' ? undefined : RouteConfigOptionsBody</code> | Additional body options [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)<!-- -->. |
+|  [tags](./kibana-plugin-server.routeconfigoptions.tags.md) | <code>readonly string[]</code> | Additional metadata tag strings to attach to the route. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
index e13ef883cc053..adcce0caa750f 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptions.tags.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [tags](./kibana-plugin-server.routeconfigoptions.tags.md)
-
-## RouteConfigOptions.tags property
-
-Additional metadata tag strings to attach to the route.
-
-<b>Signature:</b>
-
-```typescript
-tags?: readonly string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptions](./kibana-plugin-server.routeconfigoptions.md) &gt; [tags](./kibana-plugin-server.routeconfigoptions.tags.md)
+
+## RouteConfigOptions.tags property
+
+Additional metadata tag strings to attach to the route.
+
+<b>Signature:</b>
+
+```typescript
+tags?: readonly string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
index f48c9a1d73b11..f71388c2bbf4b 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.accepts.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md)
-
-## RouteConfigOptionsBody.accepts property
-
-A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.
-
-Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\*
-
-<b>Signature:</b>
-
-```typescript
-accepts?: RouteContentType | RouteContentType[] | string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md)
+
+## RouteConfigOptionsBody.accepts property
+
+A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.
+
+Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\*
+
+<b>Signature:</b>
+
+```typescript
+accepts?: RouteContentType | RouteContentType[] | string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
index 3d22dc07d5bae..1bf02285b4304 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.maxbytes.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md)
-
-## RouteConfigOptionsBody.maxBytes property
-
-Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.
-
-Default value: The one set in the kibana.yml config file under the parameter `server.maxPayloadBytes`<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-maxBytes?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md)
+
+## RouteConfigOptionsBody.maxBytes property
+
+Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.
+
+Default value: The one set in the kibana.yml config file under the parameter `server.maxPayloadBytes`<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+maxBytes?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
index 6ef04de459fcf..77bccd33cb52e 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)
-
-## RouteConfigOptionsBody interface
-
-Additional body options for a route
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteConfigOptionsBody 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md) | <code>RouteContentType &#124; RouteContentType[] &#124; string &#124; string[]</code> | A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.<!-- -->Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\* |
-|  [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md) | <code>number</code> | Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.<!-- -->Default value: The one set in the kibana.yml config file under the parameter <code>server.maxPayloadBytes</code>. |
-|  [output](./kibana-plugin-server.routeconfigoptionsbody.output.md) | <code>typeof validBodyOutput[number]</code> | The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).<!-- -->Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure. |
-|  [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md) | <code>boolean &#124; 'gunzip'</code> | Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.<!-- -->Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md)
+
+## RouteConfigOptionsBody interface
+
+Additional body options for a route
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteConfigOptionsBody 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [accepts](./kibana-plugin-server.routeconfigoptionsbody.accepts.md) | <code>RouteContentType &#124; RouteContentType[] &#124; string &#124; string[]</code> | A string or an array of strings with the allowed mime types for the endpoint. Use this settings to limit the set of allowed mime types. Note that allowing additional mime types not listed above will not enable them to be parsed, and if parse is true, the request will result in an error response.<!-- -->Default value: allows parsing of the following mime types: \* application/json \* application/\*+json \* application/octet-stream \* application/x-www-form-urlencoded \* multipart/form-data \* text/\* |
+|  [maxBytes](./kibana-plugin-server.routeconfigoptionsbody.maxbytes.md) | <code>number</code> | Limits the size of incoming payloads to the specified byte count. Allowing very large payloads may cause the server to run out of memory.<!-- -->Default value: The one set in the kibana.yml config file under the parameter <code>server.maxPayloadBytes</code>. |
+|  [output](./kibana-plugin-server.routeconfigoptionsbody.output.md) | <code>typeof validBodyOutput[number]</code> | The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).<!-- -->Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure. |
+|  [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md) | <code>boolean &#124; 'gunzip'</code> | Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.<!-- -->Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
index b84bc709df3ec..1c66589df9e80 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.output.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [output](./kibana-plugin-server.routeconfigoptionsbody.output.md)
-
-## RouteConfigOptionsBody.output property
-
-The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).
-
-Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure.
-
-<b>Signature:</b>
-
-```typescript
-output?: typeof validBodyOutput[number];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [output](./kibana-plugin-server.routeconfigoptionsbody.output.md)
+
+## RouteConfigOptionsBody.output property
+
+The processed payload format. The value must be one of: \* 'data' - the incoming payload is read fully into memory. If parse is true, the payload is parsed (JSON, form-decoded, multipart) based on the 'Content-Type' header. If parse is false, a raw Buffer is returned. \* 'stream' - the incoming payload is made available via a Stream.Readable interface. If the payload is 'multipart/form-data' and parse is true, field values are presented as text while files are provided as streams. File streams from a 'multipart/form-data' upload will also have a hapi property containing the filename and headers properties. Note that payload streams for multipart payloads are a synthetic interface created on top of the entire multipart content loaded into memory. To avoid loading large multipart payloads into memory, set parse to false and handle the multipart payload in the handler using a streaming parser (e.g. pez).
+
+Default value: 'data', unless no validation.body is provided in the route definition. In that case the default is 'stream' to alleviate memory pressure.
+
+<b>Signature:</b>
+
+```typescript
+output?: typeof validBodyOutput[number];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
index d395f67c69669..b030c9de302af 100644
--- a/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
+++ b/docs/development/core/server/kibana-plugin-server.routeconfigoptionsbody.parse.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md)
-
-## RouteConfigOptionsBody.parse property
-
-Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.
-
-Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure.
-
-<b>Signature:</b>
-
-```typescript
-parse?: boolean | 'gunzip';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteConfigOptionsBody](./kibana-plugin-server.routeconfigoptionsbody.md) &gt; [parse](./kibana-plugin-server.routeconfigoptionsbody.parse.md)
+
+## RouteConfigOptionsBody.parse property
+
+Determines if the incoming payload is processed or presented raw. Available values: \* true - if the request 'Content-Type' matches the allowed mime types set by allow (for the whole payload as well as parts), the payload is converted into an object when possible. If the format is unknown, a Bad Request (400) error response is sent. Any known content encoding is decoded. \* false - the raw payload is returned unmodified. \* 'gunzip' - the raw payload is returned unmodified after any known content encoding is decoded.
+
+Default value: true, unless no validation.body is provided in the route definition. In that case the default is false to alleviate memory pressure.
+
+<b>Signature:</b>
+
+```typescript
+parse?: boolean | 'gunzip';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routecontenttype.md b/docs/development/core/server/kibana-plugin-server.routecontenttype.md
index 010388c7b8f17..3c9b88938d131 100644
--- a/docs/development/core/server/kibana-plugin-server.routecontenttype.md
+++ b/docs/development/core/server/kibana-plugin-server.routecontenttype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteContentType](./kibana-plugin-server.routecontenttype.md)
-
-## RouteContentType type
-
-The set of supported parseable Content-Types
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteContentType = 'application/json' | 'application/*+json' | 'application/octet-stream' | 'application/x-www-form-urlencoded' | 'multipart/form-data' | 'text/*';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteContentType](./kibana-plugin-server.routecontenttype.md)
+
+## RouteContentType type
+
+The set of supported parseable Content-Types
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteContentType = 'application/json' | 'application/*+json' | 'application/octet-stream' | 'application/x-www-form-urlencoded' | 'multipart/form-data' | 'text/*';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routemethod.md b/docs/development/core/server/kibana-plugin-server.routemethod.md
index 4f83344f842b3..939ae94b85691 100644
--- a/docs/development/core/server/kibana-plugin-server.routemethod.md
+++ b/docs/development/core/server/kibana-plugin-server.routemethod.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteMethod](./kibana-plugin-server.routemethod.md)
-
-## RouteMethod type
-
-The set of common HTTP methods supported by Kibana routing.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteMethod = 'get' | 'post' | 'put' | 'delete' | 'patch' | 'options';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteMethod](./kibana-plugin-server.routemethod.md)
+
+## RouteMethod type
+
+The set of common HTTP methods supported by Kibana routing.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteMethod = 'get' | 'post' | 'put' | 'delete' | 'patch' | 'options';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routeregistrar.md b/docs/development/core/server/kibana-plugin-server.routeregistrar.md
index 901d260fee21d..b886305731c3c 100644
--- a/docs/development/core/server/kibana-plugin-server.routeregistrar.md
+++ b/docs/development/core/server/kibana-plugin-server.routeregistrar.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteRegistrar](./kibana-plugin-server.routeregistrar.md)
-
-## RouteRegistrar type
-
-Route handler common definition
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteRegistrar<Method extends RouteMethod> = <P, Q, B>(route: RouteConfig<P, Q, B, Method>, handler: RequestHandler<P, Q, B, Method>) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteRegistrar](./kibana-plugin-server.routeregistrar.md)
+
+## RouteRegistrar type
+
+Route handler common definition
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteRegistrar<Method extends RouteMethod> = <P, Q, B>(route: RouteConfig<P, Q, B, Method>, handler: RequestHandler<P, Q, B, Method>) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md b/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
index 551e13faaf154..d643cc31f50cf 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationerror._constructor_.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) &gt; [(constructor)](./kibana-plugin-server.routevalidationerror._constructor_.md)
-
-## RouteValidationError.(constructor)
-
-Constructs a new instance of the `RouteValidationError` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(error: Error | string, path?: string[]);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; string</code> |  |
-|  path | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md) &gt; [(constructor)](./kibana-plugin-server.routevalidationerror._constructor_.md)
+
+## RouteValidationError.(constructor)
+
+Constructs a new instance of the `RouteValidationError` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(error: Error | string, path?: string[]);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; string</code> |  |
+|  path | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationerror.md b/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
index 71bd72dca2eab..7c84b26e9291e 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md)
-
-## RouteValidationError class
-
-Error to return when the validation is not successful.
-
-<b>Signature:</b>
-
-```typescript
-export declare class RouteValidationError extends SchemaTypeError 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(error, path)](./kibana-plugin-server.routevalidationerror._constructor_.md) |  | Constructs a new instance of the <code>RouteValidationError</code> class |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationError](./kibana-plugin-server.routevalidationerror.md)
+
+## RouteValidationError class
+
+Error to return when the validation is not successful.
+
+<b>Signature:</b>
+
+```typescript
+export declare class RouteValidationError extends SchemaTypeError 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(error, path)](./kibana-plugin-server.routevalidationerror._constructor_.md) |  | Constructs a new instance of the <code>RouteValidationError</code> class |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md b/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
index 34fa096aaae78..e64f6ae0178bc 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationfunction.md
@@ -1,42 +1,42 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)
-
-## RouteValidationFunction type
-
-The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidationFunction<T> = (data: any, validationResult: RouteValidationResultFactory) => {
-    value: T;
-    error?: never;
-} | {
-    value?: never;
-    error: RouteValidationError;
-};
-```
-
-## Example
-
-The validation should look something like:
-
-```typescript
-interface MyExpectedBody {
-  bar: string;
-  baz: number;
-}
-
-const myBodyValidation: RouteValidationFunction<MyExpectedBody> = (data, validationResult) => {
-  const { ok, badRequest } = validationResult;
-  const { bar, baz } = data || {};
-  if (typeof bar === 'string' && typeof baz === 'number') {
-    return ok({ bar, baz });
-  } else {
-    return badRequest('Wrong payload', ['body']);
-  }
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)
+
+## RouteValidationFunction type
+
+The custom validation function if @<!-- -->kbn/config-schema is not a valid solution for your specific plugin requirements.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidationFunction<T> = (data: any, validationResult: RouteValidationResultFactory) => {
+    value: T;
+    error?: never;
+} | {
+    value?: never;
+    error: RouteValidationError;
+};
+```
+
+## Example
+
+The validation should look something like:
+
+```typescript
+interface MyExpectedBody {
+  bar: string;
+  baz: number;
+}
+
+const myBodyValidation: RouteValidationFunction<MyExpectedBody> = (data, validationResult) => {
+  const { ok, badRequest } = validationResult;
+  const { bar, baz } = data || {};
+  if (typeof bar === 'string' && typeof baz === 'number') {
+    return ok({ bar, baz });
+  } else {
+    return badRequest('Wrong payload', ['body']);
+  }
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
index 36ea6103fb352..29406a2d9866a 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.badrequest.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md)
-
-## RouteValidationResultFactory.badRequest property
-
-<b>Signature:</b>
-
-```typescript
-badRequest: (error: Error | string, path?: string[]) => {
-        error: RouteValidationError;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md)
+
+## RouteValidationResultFactory.badRequest property
+
+<b>Signature:</b>
+
+```typescript
+badRequest: (error: Error | string, path?: string[]) => {
+        error: RouteValidationError;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
index 5f44b490e9a17..eac2e0e6c4c1a 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md)
-
-## RouteValidationResultFactory interface
-
-Validation result factory to be used in the custom validation function to return the valid data or validation errors
-
-See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidationResultFactory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md) | <code>(error: Error &#124; string, path?: string[]) =&gt; {</code><br/><code>        error: RouteValidationError;</code><br/><code>    }</code> |  |
-|  [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md) | <code>&lt;T&gt;(value: T) =&gt; {</code><br/><code>        value: T;</code><br/><code>    }</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md)
+
+## RouteValidationResultFactory interface
+
+Validation result factory to be used in the custom validation function to return the valid data or validation errors
+
+See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidationResultFactory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [badRequest](./kibana-plugin-server.routevalidationresultfactory.badrequest.md) | <code>(error: Error &#124; string, path?: string[]) =&gt; {</code><br/><code>        error: RouteValidationError;</code><br/><code>    }</code> |  |
+|  [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md) | <code>&lt;T&gt;(value: T) =&gt; {</code><br/><code>        value: T;</code><br/><code>    }</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
index eca6a31bd547f..5ba36a4b5bc3b 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationresultfactory.ok.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md)
-
-## RouteValidationResultFactory.ok property
-
-<b>Signature:</b>
-
-```typescript
-ok: <T>(value: T) => {
-        value: T;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationResultFactory](./kibana-plugin-server.routevalidationresultfactory.md) &gt; [ok](./kibana-plugin-server.routevalidationresultfactory.ok.md)
+
+## RouteValidationResultFactory.ok property
+
+<b>Signature:</b>
+
+```typescript
+ok: <T>(value: T) => {
+        value: T;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidationspec.md b/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
index f5fc06544043f..67b9bd9b8daa8 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidationspec.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md)
-
-## RouteValidationSpec type
-
-Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions
-
-See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation.
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidationSpec<T> = ObjectType | Type<T> | RouteValidationFunction<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidationSpec](./kibana-plugin-server.routevalidationspec.md)
+
+## RouteValidationSpec type
+
+Allowed property validation options: either @<!-- -->kbn/config-schema validations or custom validation functions
+
+See [RouteValidationFunction](./kibana-plugin-server.routevalidationfunction.md) for custom validation.
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidationSpec<T> = ObjectType | Type<T> | RouteValidationFunction<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
index 8b5d2c0413087..56b7552f615f0 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.body.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [body](./kibana-plugin-server.routevalidatorconfig.body.md)
-
-## RouteValidatorConfig.body property
-
-Validation logic for the body payload
-
-<b>Signature:</b>
-
-```typescript
-body?: RouteValidationSpec<B>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [body](./kibana-plugin-server.routevalidatorconfig.body.md)
+
+## RouteValidatorConfig.body property
+
+Validation logic for the body payload
+
+<b>Signature:</b>
+
+```typescript
+body?: RouteValidationSpec<B>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
index 4637da7741d80..6bdba920702d7 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md)
-
-## RouteValidatorConfig interface
-
-The configuration object to the RouteValidator class. Set `params`<!-- -->, `query` and/or `body` to specify the validation logic to follow for that property.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidatorConfig<P, Q, B> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [body](./kibana-plugin-server.routevalidatorconfig.body.md) | <code>RouteValidationSpec&lt;B&gt;</code> | Validation logic for the body payload |
-|  [params](./kibana-plugin-server.routevalidatorconfig.params.md) | <code>RouteValidationSpec&lt;P&gt;</code> | Validation logic for the URL params |
-|  [query](./kibana-plugin-server.routevalidatorconfig.query.md) | <code>RouteValidationSpec&lt;Q&gt;</code> | Validation logic for the Query params |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md)
+
+## RouteValidatorConfig interface
+
+The configuration object to the RouteValidator class. Set `params`<!-- -->, `query` and/or `body` to specify the validation logic to follow for that property.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidatorConfig<P, Q, B> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [body](./kibana-plugin-server.routevalidatorconfig.body.md) | <code>RouteValidationSpec&lt;B&gt;</code> | Validation logic for the body payload |
+|  [params](./kibana-plugin-server.routevalidatorconfig.params.md) | <code>RouteValidationSpec&lt;P&gt;</code> | Validation logic for the URL params |
+|  [query](./kibana-plugin-server.routevalidatorconfig.query.md) | <code>RouteValidationSpec&lt;Q&gt;</code> | Validation logic for the Query params |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
index 11de25ff3b19f..33ad91bf6badf 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.params.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [params](./kibana-plugin-server.routevalidatorconfig.params.md)
-
-## RouteValidatorConfig.params property
-
-Validation logic for the URL params
-
-<b>Signature:</b>
-
-```typescript
-params?: RouteValidationSpec<P>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [params](./kibana-plugin-server.routevalidatorconfig.params.md)
+
+## RouteValidatorConfig.params property
+
+Validation logic for the URL params
+
+<b>Signature:</b>
+
+```typescript
+params?: RouteValidationSpec<P>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
index 510325c2dfff7..272c696c59593 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorconfig.query.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [query](./kibana-plugin-server.routevalidatorconfig.query.md)
-
-## RouteValidatorConfig.query property
-
-Validation logic for the Query params
-
-<b>Signature:</b>
-
-```typescript
-query?: RouteValidationSpec<Q>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorConfig](./kibana-plugin-server.routevalidatorconfig.md) &gt; [query](./kibana-plugin-server.routevalidatorconfig.query.md)
+
+## RouteValidatorConfig.query property
+
+Validation logic for the Query params
+
+<b>Signature:</b>
+
+```typescript
+query?: RouteValidationSpec<Q>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md b/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
index 0f3785b954a3a..90d7501c4af17 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatorfullconfig.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md)
-
-## RouteValidatorFullConfig type
-
-Route validations config and options merged into one object
-
-<b>Signature:</b>
-
-```typescript
-export declare type RouteValidatorFullConfig<P, Q, B> = RouteValidatorConfig<P, Q, B> & RouteValidatorOptions;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorFullConfig](./kibana-plugin-server.routevalidatorfullconfig.md)
+
+## RouteValidatorFullConfig type
+
+Route validations config and options merged into one object
+
+<b>Signature:</b>
+
+```typescript
+export declare type RouteValidatorFullConfig<P, Q, B> = RouteValidatorConfig<P, Q, B> & RouteValidatorOptions;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
index 00b029d9928e3..ddbc9d28c3b06 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md)
-
-## RouteValidatorOptions interface
-
-Additional options for the RouteValidator class to modify its default behaviour.
-
-<b>Signature:</b>
-
-```typescript
-export interface RouteValidatorOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md) | <code>{</code><br/><code>        params?: boolean;</code><br/><code>        query?: boolean;</code><br/><code>        body?: boolean;</code><br/><code>    }</code> | Set the <code>unsafe</code> config to avoid running some additional internal \*safe\* validations on top of your custom validation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md)
+
+## RouteValidatorOptions interface
+
+Additional options for the RouteValidator class to modify its default behaviour.
+
+<b>Signature:</b>
+
+```typescript
+export interface RouteValidatorOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md) | <code>{</code><br/><code>        params?: boolean;</code><br/><code>        query?: boolean;</code><br/><code>        body?: boolean;</code><br/><code>    }</code> | Set the <code>unsafe</code> config to avoid running some additional internal \*safe\* validations on top of your custom validation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
index 0406a372c4e9d..60f868aedfc05 100644
--- a/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
+++ b/docs/development/core/server/kibana-plugin-server.routevalidatoroptions.unsafe.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) &gt; [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md)
-
-## RouteValidatorOptions.unsafe property
-
-Set the `unsafe` config to avoid running some additional internal \*safe\* validations on top of your custom validation
-
-<b>Signature:</b>
-
-```typescript
-unsafe?: {
-        params?: boolean;
-        query?: boolean;
-        body?: boolean;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [RouteValidatorOptions](./kibana-plugin-server.routevalidatoroptions.md) &gt; [unsafe](./kibana-plugin-server.routevalidatoroptions.unsafe.md)
+
+## RouteValidatorOptions.unsafe property
+
+Set the `unsafe` config to avoid running some additional internal \*safe\* validations on top of your custom validation
+
+<b>Signature:</b>
+
+```typescript
+unsafe?: {
+        params?: boolean;
+        query?: boolean;
+        body?: boolean;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
index 7049ca65e96d3..8284548d9d94c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [attributes](./kibana-plugin-server.savedobject.attributes.md)
-
-## SavedObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [attributes](./kibana-plugin-server.savedobject.attributes.md)
+
+## SavedObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.error.md b/docs/development/core/server/kibana-plugin-server.savedobject.error.md
index 910f1fa32d5df..4baea1599eae8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.error.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.error.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [error](./kibana-plugin-server.savedobject.error.md)
-
-## SavedObject.error property
-
-<b>Signature:</b>
-
-```typescript
-error?: {
-        message: string;
-        statusCode: number;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [error](./kibana-plugin-server.savedobject.error.md)
+
+## SavedObject.error property
+
+<b>Signature:</b>
+
+```typescript
+error?: {
+        message: string;
+        statusCode: number;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobject.id.md
index cc0127eb6ab04..7048d10365299 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [id](./kibana-plugin-server.savedobject.id.md)
-
-## SavedObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [id](./kibana-plugin-server.savedobject.id.md)
+
+## SavedObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.md b/docs/development/core/server/kibana-plugin-server.savedobject.md
index c7099cdce7ecd..b3184fd38ad93 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md)
-
-## SavedObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [error](./kibana-plugin-server.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
-|  [id](./kibana-plugin-server.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-server.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [type](./kibana-plugin-server.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
-|  [updated\_at](./kibana-plugin-server.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
-|  [version](./kibana-plugin-server.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md)
+
+## SavedObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobject.attributes.md) | <code>T</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [error](./kibana-plugin-server.savedobject.error.md) | <code>{</code><br/><code>        message: string;</code><br/><code>        statusCode: number;</code><br/><code>    }</code> |  |
+|  [id](./kibana-plugin-server.savedobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-server.savedobject.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [type](./kibana-plugin-server.savedobject.type.md) | <code>string</code> | The type of Saved Object. Each plugin can define it's own custom Saved Object types. |
+|  [updated\_at](./kibana-plugin-server.savedobject.updated_at.md) | <code>string</code> | Timestamp of the last time this document had been updated. |
+|  [version](./kibana-plugin-server.savedobject.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
index 63c353a8b2e75..5e8486ebb8b08 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md)
-
-## SavedObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobject.migrationversion.md)
+
+## SavedObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.references.md b/docs/development/core/server/kibana-plugin-server.savedobject.references.md
index 22d4c84e9bcad..7381e0e814748 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [references](./kibana-plugin-server.savedobject.references.md)
-
-## SavedObject.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [references](./kibana-plugin-server.savedobject.references.md)
+
+## SavedObject.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobject.type.md
index 0498b2d780484..0e79e6ccb54cb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [type](./kibana-plugin-server.savedobject.type.md)
-
-## SavedObject.type property
-
-The type of Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [type](./kibana-plugin-server.savedobject.type.md)
+
+## SavedObject.type property
+
+The type of Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md b/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
index bf57cbc08dbb4..38db2a5e96398 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.updated_at.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [updated\_at](./kibana-plugin-server.savedobject.updated_at.md)
-
-## SavedObject.updated\_at property
-
-Timestamp of the last time this document had been updated.
-
-<b>Signature:</b>
-
-```typescript
-updated_at?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [updated\_at](./kibana-plugin-server.savedobject.updated_at.md)
+
+## SavedObject.updated\_at property
+
+Timestamp of the last time this document had been updated.
+
+<b>Signature:</b>
+
+```typescript
+updated_at?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobject.version.md b/docs/development/core/server/kibana-plugin-server.savedobject.version.md
index a1c2f2c6c3b44..e81e37198226c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobject.version.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobject.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [version](./kibana-plugin-server.savedobject.version.md)
-
-## SavedObject.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObject](./kibana-plugin-server.savedobject.md) &gt; [version](./kibana-plugin-server.savedobject.version.md)
+
+## SavedObject.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md b/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
index 6696d9c6ce96d..b25fc079a7d7b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattribute.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
-
-## SavedObjectAttribute type
-
-Type definition for a Saved Object attribute value
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
+
+## SavedObjectAttribute type
+
+Type definition for a Saved Object attribute value
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttribute = SavedObjectAttributeSingle | SavedObjectAttributeSingle[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
index 6d24eb02b4eaf..7e80e757775bb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md)
-
-## SavedObjectAttributes interface
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectAttributes 
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributes](./kibana-plugin-server.savedobjectattributes.md)
+
+## SavedObjectAttributes interface
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectAttributes 
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md b/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
index b2ddb59ddb252..7928b594bf9dc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectattributesingle.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md)
-
-## SavedObjectAttributeSingle type
-
-Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectAttributeSingle](./kibana-plugin-server.savedobjectattributesingle.md)
+
+## SavedObjectAttributeSingle type
+
+Don't use this type, it's simply a helper type for [SavedObjectAttribute](./kibana-plugin-server.savedobjectattribute.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectAttributeSingle = string | number | boolean | null | undefined | SavedObjectAttributes;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
index f6e11c0228743..e4d7ff3e8e831 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [id](./kibana-plugin-server.savedobjectreference.id.md)
-
-## SavedObjectReference.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [id](./kibana-plugin-server.savedobjectreference.id.md)
+
+## SavedObjectReference.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
index 75cf59ea3b925..3ceb1c3c949fe 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md)
-
-## SavedObjectReference interface
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectReference 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectreference.id.md) | <code>string</code> |  |
-|  [name](./kibana-plugin-server.savedobjectreference.name.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectreference.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md)
+
+## SavedObjectReference interface
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectReference 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectreference.id.md) | <code>string</code> |  |
+|  [name](./kibana-plugin-server.savedobjectreference.name.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectreference.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
index 8a88128c3fbc1..f22884367db27 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.name.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [name](./kibana-plugin-server.savedobjectreference.name.md)
-
-## SavedObjectReference.name property
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [name](./kibana-plugin-server.savedobjectreference.name.md)
+
+## SavedObjectReference.name property
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
index 5347256dfa2dc..2d34cec0bc3a5 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectreference.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [type](./kibana-plugin-server.savedobjectreference.type.md)
-
-## SavedObjectReference.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectReference](./kibana-plugin-server.savedobjectreference.md) &gt; [type](./kibana-plugin-server.savedobjectreference.type.md)
+
+## SavedObjectReference.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
index 6eace924490cc..daf5a36ffc690 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md)
-
-## SavedObjectsBaseOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md)
+
+## SavedObjectsBaseOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md) | <code>string</code> | Specify the namespace for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
index 6e921dc8ab60e..97eb45d70cef2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbaseoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md)
-
-## SavedObjectsBaseOptions.namespace property
-
-Specify the namespace for this operation
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBaseOptions](./kibana-plugin-server.savedobjectsbaseoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsbaseoptions.namespace.md)
+
+## SavedObjectsBaseOptions.namespace property
+
+Specify the namespace for this operation
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
index cfa19c5fb3fd8..ca45721381c3b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md)
-
-## SavedObjectsBulkCreateObject.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md)
+
+## SavedObjectsBulkCreateObject.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
index 6b8b65339ffa3..3eceb5c782a81 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md)
-
-## SavedObjectsBulkCreateObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md)
+
+## SavedObjectsBulkCreateObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
index bae275777310a..87386b986009d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md)
-
-## SavedObjectsBulkCreateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
-|  [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md) | <code>string</code> |  |
-|  [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md)
+
+## SavedObjectsBulkCreateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkCreateObject<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsbulkcreateobject.attributes.md) | <code>T</code> |  |
+|  [id](./kibana-plugin-server.savedobjectsbulkcreateobject.id.md) | <code>string</code> |  |
+|  [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
index 6065988a8d0fc..df76370da2426 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md)
-
-## SavedObjectsBulkCreateObject.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsbulkcreateobject.migrationversion.md)
+
+## SavedObjectsBulkCreateObject.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
index 0a96787de03a9..9674dc69ef71e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md)
-
-## SavedObjectsBulkCreateObject.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [references](./kibana-plugin-server.savedobjectsbulkcreateobject.references.md)
+
+## SavedObjectsBulkCreateObject.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
index 8db44a46d7f3f..a68f614f73eb7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkcreateobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md)
-
-## SavedObjectsBulkCreateObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkCreateObject](./kibana-plugin-server.savedobjectsbulkcreateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkcreateobject.type.md)
+
+## SavedObjectsBulkCreateObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
index d67df82b123e7..fdea718e27a60 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.fields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md)
-
-## SavedObjectsBulkGetObject.fields property
-
-SavedObject fields to include in the response
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md)
+
+## SavedObjectsBulkGetObject.fields property
+
+SavedObject fields to include in the response
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
index 3476d3276181c..78f37d8a62a00 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md)
-
-## SavedObjectsBulkGetObject.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md)
+
+## SavedObjectsBulkGetObject.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
index ae89f30b9f754..ef8b76a418848 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md)
-
-## SavedObjectsBulkGetObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkGetObject 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md) | <code>string[]</code> | SavedObject fields to include in the response |
-|  [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md)
+
+## SavedObjectsBulkGetObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkGetObject 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [fields](./kibana-plugin-server.savedobjectsbulkgetobject.fields.md) | <code>string[]</code> | SavedObject fields to include in the response |
+|  [id](./kibana-plugin-server.savedobjectsbulkgetobject.id.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
index c3fef3704faa7..2317170fa04a2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkgetobject.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md)
-
-## SavedObjectsBulkGetObject.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkGetObject](./kibana-plugin-server.savedobjectsbulkgetobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkgetobject.type.md)
+
+## SavedObjectsBulkGetObject.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
index 7ff4934a2af66..20a1194c87eda 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md)
-
-## SavedObjectsBulkResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md)
+
+## SavedObjectsBulkResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
index 78f0fe36eaedc..c6cfb230f75eb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md)
-
-## SavedObjectsBulkResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkResponse](./kibana-plugin-server.savedobjectsbulkresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkresponse.saved_objects.md)
+
+## SavedObjectsBulkResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObject<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
index 3de73d133d7a7..bd80c8d093d0f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md)
-
-## SavedObjectsBulkUpdateObject.attributes property
-
-The data for a Saved Object is stored as an object in the `attributes` property.
-
-<b>Signature:</b>
-
-```typescript
-attributes: Partial<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md)
+
+## SavedObjectsBulkUpdateObject.attributes property
+
+The data for a Saved Object is stored as an object in the `attributes` property.
+
+<b>Signature:</b>
+
+```typescript
+attributes: Partial<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
index 88bc9f306b26c..1cdaf5288c0ca 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md)
-
-## SavedObjectsBulkUpdateObject.id property
-
-The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md)
+
+## SavedObjectsBulkUpdateObject.id property
+
+The ID of this Saved Object, guaranteed to be unique for all objects of the same `type`
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
index b84bbe0a17344..8e4e3d761148e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md)
-
-## SavedObjectsBulkUpdateObject interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = any> extends Pick<SavedObjectsUpdateOptions, 'version' | 'references'> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md) | <code>Partial&lt;T&gt;</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
-|  [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
-|  [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md) | <code>string</code> | The type of this Saved Object. Each plugin can define it's own custom Saved Object types. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md)
+
+## SavedObjectsBulkUpdateObject interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateObject<T extends SavedObjectAttributes = any> extends Pick<SavedObjectsUpdateOptions, 'version' | 'references'> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsbulkupdateobject.attributes.md) | <code>Partial&lt;T&gt;</code> | The data for a Saved Object is stored as an object in the <code>attributes</code> property. |
+|  [id](./kibana-plugin-server.savedobjectsbulkupdateobject.id.md) | <code>string</code> | The ID of this Saved Object, guaranteed to be unique for all objects of the same <code>type</code> |
+|  [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md) | <code>string</code> | The type of this Saved Object. Each plugin can define it's own custom Saved Object types. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
index d2d46b24ea8be..c95faf80c84cb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateobject.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md)
-
-## SavedObjectsBulkUpdateObject.type property
-
-The type of this Saved Object. Each plugin can define it's own custom Saved Object types.
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateObject](./kibana-plugin-server.savedobjectsbulkupdateobject.md) &gt; [type](./kibana-plugin-server.savedobjectsbulkupdateobject.type.md)
+
+## SavedObjectsBulkUpdateObject.type property
+
+The type of this Saved Object. Each plugin can define it's own custom Saved Object types.
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
index 920a6ca224df4..fb18d80fe3f09 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md)
-
-## SavedObjectsBulkUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md)
+
+## SavedObjectsBulkUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
index 35e9e6483da10..52913cd776ebb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md)
-
-## SavedObjectsBulkUpdateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateOptions](./kibana-plugin-server.savedobjectsbulkupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsbulkupdateoptions.refresh.md)
+
+## SavedObjectsBulkUpdateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
index 03707bd14a3eb..065b9df0823cd 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md)
-
-## SavedObjectsBulkUpdateResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsBulkUpdateResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md) | <code>Array&lt;SavedObjectsUpdateResponse&lt;T&gt;&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md)
+
+## SavedObjectsBulkUpdateResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsBulkUpdateResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md) | <code>Array&lt;SavedObjectsUpdateResponse&lt;T&gt;&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
index 0ca54ca176292..b8fc07b819bed 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md)
-
-## SavedObjectsBulkUpdateResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObjectsUpdateResponse<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsBulkUpdateResponse](./kibana-plugin-server.savedobjectsbulkupdateresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsbulkupdateresponse.saved_objects.md)
+
+## SavedObjectsBulkUpdateResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObjectsUpdateResponse<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
index 1081a91f92762..40f947188de54 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkcreate.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsclient.bulkcreate.md)
-
-## SavedObjectsClient.bulkCreate() method
-
-Persists multiple documents batched together as a single request
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsclient.bulkcreate.md)
+
+## SavedObjectsClient.bulkCreate() method
+
+Persists multiple documents batched together as a single request
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
index 6fbeadd4ce67c..c86c30d14db3b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkget.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsclient.bulkget.md)
-
-## SavedObjectsClient.bulkGet() method
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkGetObject[]</code> | an array of ids, or an array of objects containing id, type and optionally fields |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsclient.bulkget.md)
+
+## SavedObjectsClient.bulkGet() method
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkGetObject[]</code> | an array of ids, or an array of objects containing id, type and optionally fields |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
index 30db524ffa02c..33958837ebca3 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.bulkupdate.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsclient.bulkupdate.md)
-
-## SavedObjectsClient.bulkUpdate() method
-
-Bulk Updates multiple SavedObject at once
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkUpdateResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsclient.bulkupdate.md)
+
+## SavedObjectsClient.bulkUpdate() method
+
+Bulk Updates multiple SavedObject at once
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkUpdateResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
index 68b97ccdf2aef..ddb78a57e71bc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.create.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [create](./kibana-plugin-server.savedobjectsclient.create.md)
-
-## SavedObjectsClient.create() method
-
-Persists a SavedObject
-
-<b>Signature:</b>
-
-```typescript
-create<T extends SavedObjectAttributes = any>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [create](./kibana-plugin-server.savedobjectsclient.create.md)
+
+## SavedObjectsClient.create() method
+
+Persists a SavedObject
+
+<b>Signature:</b>
+
+```typescript
+create<T extends SavedObjectAttributes = any>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
index c20c7e886490a..310ab0d78f7a6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.delete.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [delete](./kibana-plugin-server.savedobjectsclient.delete.md)
-
-## SavedObjectsClient.delete() method
-
-Deletes a SavedObject
-
-<b>Signature:</b>
-
-```typescript
-delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{}>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [delete](./kibana-plugin-server.savedobjectsclient.delete.md)
+
+## SavedObjectsClient.delete() method
+
+Deletes a SavedObject
+
+<b>Signature:</b>
+
+```typescript
+delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{}>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
index f08440485c63c..9e6eb8d414002 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [errors](./kibana-plugin-server.savedobjectsclient.errors.md)
-
-## SavedObjectsClient.errors property
-
-<b>Signature:</b>
-
-```typescript
-static errors: typeof SavedObjectsErrorHelpers;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [errors](./kibana-plugin-server.savedobjectsclient.errors.md)
+
+## SavedObjectsClient.errors property
+
+<b>Signature:</b>
+
+```typescript
+static errors: typeof SavedObjectsErrorHelpers;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
index a590cc4c4b663..f72691d3ce0c8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.find.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [find](./kibana-plugin-server.savedobjectsclient.find.md)
-
-## SavedObjectsClient.find() method
-
-Find all SavedObjects matching the search query
-
-<b>Signature:</b>
-
-```typescript
-find<T extends SavedObjectAttributes = any>(options: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  options | <code>SavedObjectsFindOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsFindResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [find](./kibana-plugin-server.savedobjectsclient.find.md)
+
+## SavedObjectsClient.find() method
+
+Find all SavedObjects matching the search query
+
+<b>Signature:</b>
+
+```typescript
+find<T extends SavedObjectAttributes = any>(options: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  options | <code>SavedObjectsFindOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsFindResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
index bde16a134f5b5..3906462184d4f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.get.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [get](./kibana-plugin-server.savedobjectsclient.get.md)
-
-## SavedObjectsClient.get() method
-
-Retrieves a single object
-
-<b>Signature:</b>
-
-```typescript
-get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> | The type of SavedObject to retrieve |
-|  id | <code>string</code> | The ID of the SavedObject to retrieve |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [get](./kibana-plugin-server.savedobjectsclient.get.md)
+
+## SavedObjectsClient.get() method
+
+Retrieves a single object
+
+<b>Signature:</b>
+
+```typescript
+get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> | The type of SavedObject to retrieve |
+|  id | <code>string</code> | The ID of the SavedObject to retrieve |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
index e68486ecff874..4a42c11e511df 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.md
@@ -1,36 +1,36 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md)
-
-## SavedObjectsClient class
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsClient 
-```
-
-## Remarks
-
-The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
-
-## Properties
-
-|  Property | Modifiers | Type | Description |
-|  --- | --- | --- | --- |
-|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) |  | <code>typeof SavedObjectsErrorHelpers</code> |  |
-|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) | <code>static</code> | <code>typeof SavedObjectsErrorHelpers</code> |  |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkcreate.md) |  | Persists multiple documents batched together as a single request |
-|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkget.md) |  | Returns an array of objects by id |
-|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkupdate.md) |  | Bulk Updates multiple SavedObject at once |
-|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsclient.create.md) |  | Persists a SavedObject |
-|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsclient.delete.md) |  | Deletes a SavedObject |
-|  [find(options)](./kibana-plugin-server.savedobjectsclient.find.md) |  | Find all SavedObjects matching the search query |
-|  [get(type, id, options)](./kibana-plugin-server.savedobjectsclient.get.md) |  | Retrieves a single object |
-|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsclient.update.md) |  | Updates an SavedObject |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md)
+
+## SavedObjectsClient class
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsClient 
+```
+
+## Remarks
+
+The constructor for this class is marked as internal. Third-party code should not call the constructor directly or create subclasses that extend the `SavedObjectsClient` class.
+
+## Properties
+
+|  Property | Modifiers | Type | Description |
+|  --- | --- | --- | --- |
+|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) |  | <code>typeof SavedObjectsErrorHelpers</code> |  |
+|  [errors](./kibana-plugin-server.savedobjectsclient.errors.md) | <code>static</code> | <code>typeof SavedObjectsErrorHelpers</code> |  |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkcreate.md) |  | Persists multiple documents batched together as a single request |
+|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkget.md) |  | Returns an array of objects by id |
+|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsclient.bulkupdate.md) |  | Bulk Updates multiple SavedObject at once |
+|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsclient.create.md) |  | Persists a SavedObject |
+|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsclient.delete.md) |  | Deletes a SavedObject |
+|  [find(options)](./kibana-plugin-server.savedobjectsclient.find.md) |  | Find all SavedObjects matching the search query |
+|  [get(type, id, options)](./kibana-plugin-server.savedobjectsclient.get.md) |  | Retrieves a single object |
+|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsclient.update.md) |  | Updates an SavedObject |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
index 16454c98bb55b..2c71e518b7b05 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclient.update.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [update](./kibana-plugin-server.savedobjectsclient.update.md)
-
-## SavedObjectsClient.update() method
-
-Updates an SavedObject
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>Partial&lt;T&gt;</code> |  |
-|  options | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsUpdateResponse<T>>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) &gt; [update](./kibana-plugin-server.savedobjectsclient.update.md)
+
+## SavedObjectsClient.update() method
+
+Updates an SavedObject
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>Partial&lt;T&gt;</code> |  |
+|  options | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsUpdateResponse<T>>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
index bc5b11dd21b78..c21c7bfe978ab 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientcontract.md
@@ -1,43 +1,43 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
-
-## SavedObjectsClientContract type
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.
-
-\#\# SavedObjectsClient errors
-
-Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:
-
-1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the `isXYZError()` helpers exposed at `SavedObjectsErrorHelpers` should be used to understand and manage error responses from the `SavedObjectsClient`<!-- -->.
-
-Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for `error.body.error.type` or doing substring checks on `error.body.error.reason`<!-- -->, just use the helpers to understand the meaning of the error:
-
-\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }
-
-if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }
-
-// always rethrow the error unless you handle it throw error; \`\`\`
-
-\#\#\# 404s from missing index
-
-From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.
-
-At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.
-
-From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.
-
-\#\#\# 503s from missing index
-
-Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's `action.auto_create_index` setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.
-
-See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientContract = Pick<SavedObjectsClient, keyof SavedObjectsClient>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
+
+## SavedObjectsClientContract type
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing plugin state.
+
+\#\# SavedObjectsClient errors
+
+Since the SavedObjectsClient has its hands in everything we are a little paranoid about the way we present errors back to to application code. Ideally, all errors will be either:
+
+1. Caused by bad implementation (ie. undefined is not a function) and as such unpredictable 2. An error that has been classified and decorated appropriately by the decorators in [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+Type 1 errors are inevitable, but since all expected/handle-able errors should be Type 2 the `isXYZError()` helpers exposed at `SavedObjectsErrorHelpers` should be used to understand and manage error responses from the `SavedObjectsClient`<!-- -->.
+
+Type 2 errors are decorated versions of the source error, so if the elasticsearch client threw an error it will be decorated based on its type. That means that rather than looking for `error.body.error.type` or doing substring checks on `error.body.error.reason`<!-- -->, just use the helpers to understand the meaning of the error:
+
+\`\`\`<!-- -->js if (SavedObjectsErrorHelpers.isNotFoundError(error)) { // handle 404 }
+
+if (SavedObjectsErrorHelpers.isNotAuthorizedError(error)) { // 401 handling should be automatic, but in case you wanted to know }
+
+// always rethrow the error unless you handle it throw error; \`\`\`
+
+\#\#\# 404s from missing index
+
+From the perspective of application code and APIs the SavedObjectsClient is a black box that persists objects. One of the internal details that users have no control over is that we use an elasticsearch index for persistance and that index might be missing.
+
+At the time of writing we are in the process of transitioning away from the operating assumption that the SavedObjects index is always available. Part of this transition is handling errors resulting from an index missing. These used to trigger a 500 error in most cases, and in others cause 404s with different error messages.
+
+From my (Spencer) perspective, a 404 from the SavedObjectsApi is a 404; The object the request/call was targeting could not be found. This is why \#14141 takes special care to ensure that 404 errors are generic and don't distinguish between index missing or document missing.
+
+\#\#\# 503s from missing index
+
+Unlike all other methods, create requests are supposed to succeed even when the Kibana index does not exist because it will be automatically created by elasticsearch. When that is not the case it is because Elasticsearch's `action.auto_create_index` setting prevents it from being created automatically so we throw a special 503 with the intention of informing the user that their Elasticsearch settings need to be updated.
+
+See [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) See [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientContract = Pick<SavedObjectsClient, keyof SavedObjectsClient>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
index be4ecfb081dad..01c6c6a108b7b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactory.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)
-
-## SavedObjectsClientFactory type
-
-Describes the factory used to create instances of the Saved Objects Client.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientFactory = ({ request, }: {
-    request: KibanaRequest;
-}) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)
+
+## SavedObjectsClientFactory type
+
+Describes the factory used to create instances of the Saved Objects Client.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientFactory = ({ request, }: {
+    request: KibanaRequest;
+}) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
index d5be055d3c8c9..59617b6be443c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientfactoryprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md)
-
-## SavedObjectsClientFactoryProvider type
-
-Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientFactoryProvider = (repositoryFactory: SavedObjectsRepositoryFactory) => SavedObjectsClientFactory;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientFactoryProvider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md)
+
+## SavedObjectsClientFactoryProvider type
+
+Provider to invoke to retrieve a [SavedObjectsClientFactory](./kibana-plugin-server.savedobjectsclientfactory.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientFactoryProvider = (repositoryFactory: SavedObjectsRepositoryFactory) => SavedObjectsClientFactory;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
index 9eb036c01e26e..344a1b5e153aa 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) &gt; [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md)
-
-## SavedObjectsClientProviderOptions.excludedWrappers property
-
-<b>Signature:</b>
-
-```typescript
-excludedWrappers?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md) &gt; [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md)
+
+## SavedObjectsClientProviderOptions.excludedWrappers property
+
+<b>Signature:</b>
+
+```typescript
+excludedWrappers?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
index 29b872a30a373..8027bf1c78c9f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientprovideroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md)
-
-## SavedObjectsClientProviderOptions interface
-
-Options to control the creation of the Saved Objects Client.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsClientProviderOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientProviderOptions](./kibana-plugin-server.savedobjectsclientprovideroptions.md)
+
+## SavedObjectsClientProviderOptions interface
+
+Options to control the creation of the Saved Objects Client.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsClientProviderOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [excludedWrappers](./kibana-plugin-server.savedobjectsclientprovideroptions.excludedwrappers.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
index 579c555a83062..f429c92209900 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperfactory.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md)
-
-## SavedObjectsClientWrapperFactory type
-
-Describes the factory used to create instances of Saved Objects Client Wrappers.
-
-<b>Signature:</b>
-
-```typescript
-export declare type SavedObjectsClientWrapperFactory = (options: SavedObjectsClientWrapperOptions) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperFactory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md)
+
+## SavedObjectsClientWrapperFactory type
+
+Describes the factory used to create instances of Saved Objects Client Wrappers.
+
+<b>Signature:</b>
+
+```typescript
+export declare type SavedObjectsClientWrapperFactory = (options: SavedObjectsClientWrapperOptions) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
index 0545901087bb4..a154d55f04cc8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.client.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md)
-
-## SavedObjectsClientWrapperOptions.client property
-
-<b>Signature:</b>
-
-```typescript
-client: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md)
+
+## SavedObjectsClientWrapperOptions.client property
+
+<b>Signature:</b>
+
+```typescript
+client: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
index 57b60b50313c2..dfff863898a2b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md)
-
-## SavedObjectsClientWrapperOptions interface
-
-Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsClientWrapperOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md) | <code>SavedObjectsClientContract</code> |  |
-|  [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md) | <code>KibanaRequest</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md)
+
+## SavedObjectsClientWrapperOptions interface
+
+Options passed to each SavedObjectsClientWrapperFactory to aid in creating the wrapper instance.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsClientWrapperOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [client](./kibana-plugin-server.savedobjectsclientwrapperoptions.client.md) | <code>SavedObjectsClientContract</code> |  |
+|  [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md) | <code>KibanaRequest</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
index 688defbe47b94..89c7e0ed207ff 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsclientwrapperoptions.request.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md)
-
-## SavedObjectsClientWrapperOptions.request property
-
-<b>Signature:</b>
-
-```typescript
-request: KibanaRequest;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsClientWrapperOptions](./kibana-plugin-server.savedobjectsclientwrapperoptions.md) &gt; [request](./kibana-plugin-server.savedobjectsclientwrapperoptions.request.md)
+
+## SavedObjectsClientWrapperOptions.request property
+
+<b>Signature:</b>
+
+```typescript
+request: KibanaRequest;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
index 1c55342bb0430..b63eade437fff 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.id.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-server.savedobjectscreateoptions.id.md)
-
-## SavedObjectsCreateOptions.id property
-
-(not recommended) Specify an id for the document
-
-<b>Signature:</b>
-
-```typescript
-id?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [id](./kibana-plugin-server.savedobjectscreateoptions.id.md)
+
+## SavedObjectsCreateOptions.id property
+
+(not recommended) Specify an id for the document
+
+<b>Signature:</b>
+
+```typescript
+id?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
index e4ad636056915..8bbafbdf5814b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md)
-
-## SavedObjectsCreateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsCreateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectscreateoptions.id.md) | <code>string</code> | (not recommended) Specify an id for the document |
-|  [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
-|  [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | Overwrite existing documents (defaults to false) |
-|  [references](./kibana-plugin-server.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
-|  [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md)
+
+## SavedObjectsCreateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsCreateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectscreateoptions.id.md) | <code>string</code> | (not recommended) Specify an id for the document |
+|  [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> | Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value. |
+|  [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md) | <code>boolean</code> | Overwrite existing documents (defaults to false) |
+|  [references](./kibana-plugin-server.savedobjectscreateoptions.references.md) | <code>SavedObjectReference[]</code> |  |
+|  [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
index 33432b1138d91..92b858f446412 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.migrationversion.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md)
-
-## SavedObjectsCreateOptions.migrationVersion property
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectscreateoptions.migrationversion.md)
+
+## SavedObjectsCreateOptions.migrationVersion property
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
index cb58e87795300..039bf0be85459 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.overwrite.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md)
-
-## SavedObjectsCreateOptions.overwrite property
-
-Overwrite existing documents (defaults to false)
-
-<b>Signature:</b>
-
-```typescript
-overwrite?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectscreateoptions.overwrite.md)
+
+## SavedObjectsCreateOptions.overwrite property
+
+Overwrite existing documents (defaults to false)
+
+<b>Signature:</b>
+
+```typescript
+overwrite?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
index bdf88b021c06c..d168cd4a1adc9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectscreateoptions.references.md)
-
-## SavedObjectsCreateOptions.references property
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectscreateoptions.references.md)
+
+## SavedObjectsCreateOptions.references property
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
index 785874a12c8c4..2f67dff5d4a5d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectscreateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md)
-
-## SavedObjectsCreateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsCreateOptions](./kibana-plugin-server.savedobjectscreateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectscreateoptions.refresh.md)
+
+## SavedObjectsCreateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
index df4ce1b4b8428..743bf8fee33cc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md)
-
-## SavedObjectsDeleteByNamespaceOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsDeleteByNamespaceOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md)
+
+## SavedObjectsDeleteByNamespaceOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsDeleteByNamespaceOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
index 2332520ac388f..0c314b7b094dc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md)
-
-## SavedObjectsDeleteByNamespaceOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteByNamespaceOptions](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeletebynamespaceoptions.refresh.md)
+
+## SavedObjectsDeleteByNamespaceOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
index 2c641ba5cc8d8..c4c2e9f64a7be 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md)
-
-## SavedObjectsDeleteOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsDeleteOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md)
+
+## SavedObjectsDeleteOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsDeleteOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
index 782c52956f297..476d982bed950 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsdeleteoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md)
-
-## SavedObjectsDeleteOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsDeleteOptions](./kibana-plugin-server.savedobjectsdeleteoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsdeleteoptions.refresh.md)
+
+## SavedObjectsDeleteOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
index 03ad9d29c1cc3..38e133b40c852 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md)
-
-## SavedObjectsErrorHelpers.createBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static createBadRequestError(reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md)
+
+## SavedObjectsErrorHelpers.createBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static createBadRequestError(reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
index 62cec4bfa38fc..6a1d86dc6cd14 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md)
-
-## SavedObjectsErrorHelpers.createEsAutoCreateIndexError() method
-
-<b>Signature:</b>
-
-```typescript
-static createEsAutoCreateIndexError(): DecoratedError;
-```
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md)
+
+## SavedObjectsErrorHelpers.createEsAutoCreateIndexError() method
+
+<b>Signature:</b>
+
+```typescript
+static createEsAutoCreateIndexError(): DecoratedError;
+```
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
index 1abe1cf0067ec..e608939af45cb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createGenericNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md)
-
-## SavedObjectsErrorHelpers.createGenericNotFoundError() method
-
-<b>Signature:</b>
-
-```typescript
-static createGenericNotFoundError(type?: string | null, id?: string | null): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string &#124; null</code> |  |
-|  id | <code>string &#124; null</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createGenericNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md)
+
+## SavedObjectsErrorHelpers.createGenericNotFoundError() method
+
+<b>Signature:</b>
+
+```typescript
+static createGenericNotFoundError(type?: string | null, id?: string | null): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string &#124; null</code> |  |
+|  id | <code>string &#124; null</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
index fc65c93fde946..15a25d90d8d82 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md)
-
-## SavedObjectsErrorHelpers.createInvalidVersionError() method
-
-<b>Signature:</b>
-
-```typescript
-static createInvalidVersionError(versionInput?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  versionInput | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md)
+
+## SavedObjectsErrorHelpers.createInvalidVersionError() method
+
+<b>Signature:</b>
+
+```typescript
+static createInvalidVersionError(versionInput?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  versionInput | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
index 1b22f86df6796..51d48c7083f2e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createUnsupportedTypeError](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md)
-
-## SavedObjectsErrorHelpers.createUnsupportedTypeError() method
-
-<b>Signature:</b>
-
-```typescript
-static createUnsupportedTypeError(type: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [createUnsupportedTypeError](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md)
+
+## SavedObjectsErrorHelpers.createUnsupportedTypeError() method
+
+<b>Signature:</b>
+
+```typescript
+static createUnsupportedTypeError(type: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
index deccee473eaa4..07da6c59591ec 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md)
-
-## SavedObjectsErrorHelpers.decorateBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateBadRequestError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md)
+
+## SavedObjectsErrorHelpers.decorateBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateBadRequestError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
index ac999903d3a21..10e974c22d9ab 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateConflictError](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md)
-
-## SavedObjectsErrorHelpers.decorateConflictError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateConflictError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateConflictError](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md)
+
+## SavedObjectsErrorHelpers.decorateConflictError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateConflictError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
index 54a420913390b..8d0f498f5eb79 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md)
-
-## SavedObjectsErrorHelpers.decorateEsUnavailableError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateEsUnavailableError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md)
+
+## SavedObjectsErrorHelpers.decorateEsUnavailableError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateEsUnavailableError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
index c5130dfb12400..b95c207b691c5 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md)
-
-## SavedObjectsErrorHelpers.decorateForbiddenError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateForbiddenError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md)
+
+## SavedObjectsErrorHelpers.decorateForbiddenError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateForbiddenError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
index 6086df058483f..c08417ada5436 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateGeneralError](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md)
-
-## SavedObjectsErrorHelpers.decorateGeneralError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateGeneralError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateGeneralError](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md)
+
+## SavedObjectsErrorHelpers.decorateGeneralError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateGeneralError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
index 3977b58c945bc..db412b869aeae 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md)
-
-## SavedObjectsErrorHelpers.decorateNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateNotAuthorizedError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md)
+
+## SavedObjectsErrorHelpers.decorateNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateNotAuthorizedError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
index 58cba64fd3139..e426192afe4ee 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md)
-
-## SavedObjectsErrorHelpers.decorateRequestEntityTooLargeError() method
-
-<b>Signature:</b>
-
-```typescript
-static decorateRequestEntityTooLargeError(error: Error, reason?: string): DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error</code> |  |
-|  reason | <code>string</code> |  |
-
-<b>Returns:</b>
-
-`DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [decorateRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md)
+
+## SavedObjectsErrorHelpers.decorateRequestEntityTooLargeError() method
+
+<b>Signature:</b>
+
+```typescript
+static decorateRequestEntityTooLargeError(error: Error, reason?: string): DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error</code> |  |
+|  reason | <code>string</code> |  |
+
+<b>Returns:</b>
+
+`DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
index 79805e371884d..b66faa0b79471 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md)
-
-## SavedObjectsErrorHelpers.isBadRequestError() method
-
-<b>Signature:</b>
-
-```typescript
-static isBadRequestError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isBadRequestError](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md)
+
+## SavedObjectsErrorHelpers.isBadRequestError() method
+
+<b>Signature:</b>
+
+```typescript
+static isBadRequestError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
index 99e636bf006ad..e8652190e59b9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isConflictError](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md)
-
-## SavedObjectsErrorHelpers.isConflictError() method
-
-<b>Signature:</b>
-
-```typescript
-static isConflictError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isConflictError](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md)
+
+## SavedObjectsErrorHelpers.isConflictError() method
+
+<b>Signature:</b>
+
+```typescript
+static isConflictError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
index 37b845d336203..df6129390b0c7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md)
-
-## SavedObjectsErrorHelpers.isEsAutoCreateIndexError() method
-
-<b>Signature:</b>
-
-```typescript
-static isEsAutoCreateIndexError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsAutoCreateIndexError](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md)
+
+## SavedObjectsErrorHelpers.isEsAutoCreateIndexError() method
+
+<b>Signature:</b>
+
+```typescript
+static isEsAutoCreateIndexError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
index 0672c92a0c80f..44b8afa6c649a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md)
-
-## SavedObjectsErrorHelpers.isEsUnavailableError() method
-
-<b>Signature:</b>
-
-```typescript
-static isEsUnavailableError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isEsUnavailableError](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md)
+
+## SavedObjectsErrorHelpers.isEsUnavailableError() method
+
+<b>Signature:</b>
+
+```typescript
+static isEsUnavailableError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
index 6350de9b6403c..7955f5f5dbf46 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md)
-
-## SavedObjectsErrorHelpers.isForbiddenError() method
-
-<b>Signature:</b>
-
-```typescript
-static isForbiddenError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isForbiddenError](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md)
+
+## SavedObjectsErrorHelpers.isForbiddenError() method
+
+<b>Signature:</b>
+
+```typescript
+static isForbiddenError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
index c91056b92e456..7218e50d5f157 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md)
-
-## SavedObjectsErrorHelpers.isInvalidVersionError() method
-
-<b>Signature:</b>
-
-```typescript
-static isInvalidVersionError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isInvalidVersionError](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md)
+
+## SavedObjectsErrorHelpers.isInvalidVersionError() method
+
+<b>Signature:</b>
+
+```typescript
+static isInvalidVersionError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
index 6cedc87f52db9..fd28812b96527 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md)
-
-## SavedObjectsErrorHelpers.isNotAuthorizedError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotAuthorizedError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotAuthorizedError](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md)
+
+## SavedObjectsErrorHelpers.isNotAuthorizedError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotAuthorizedError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
index 125730454e4d0..3a1c8b3f3d360 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md)
-
-## SavedObjectsErrorHelpers.isNotFoundError() method
-
-<b>Signature:</b>
-
-```typescript
-static isNotFoundError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isNotFoundError](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md)
+
+## SavedObjectsErrorHelpers.isNotFoundError() method
+
+<b>Signature:</b>
+
+```typescript
+static isNotFoundError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
index 63a8862a6d84c..6b23d08245574 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md)
-
-## SavedObjectsErrorHelpers.isRequestEntityTooLargeError() method
-
-<b>Signature:</b>
-
-```typescript
-static isRequestEntityTooLargeError(error: Error | DecoratedError): boolean;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>Error &#124; DecoratedError</code> |  |
-
-<b>Returns:</b>
-
-`boolean`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isRequestEntityTooLargeError](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md)
+
+## SavedObjectsErrorHelpers.isRequestEntityTooLargeError() method
+
+<b>Signature:</b>
+
+```typescript
+static isRequestEntityTooLargeError(error: Error | DecoratedError): boolean;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>Error &#124; DecoratedError</code> |  |
+
+<b>Returns:</b>
+
+`boolean`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
index 8e22e2df805f8..3e79e41dba53f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isSavedObjectsClientError](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md)
-
-## SavedObjectsErrorHelpers.isSavedObjectsClientError() method
-
-<b>Signature:</b>
-
-```typescript
-static isSavedObjectsClientError(error: any): error is DecoratedError;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  error | <code>any</code> |  |
-
-<b>Returns:</b>
-
-`error is DecoratedError`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md) &gt; [isSavedObjectsClientError](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md)
+
+## SavedObjectsErrorHelpers.isSavedObjectsClientError() method
+
+<b>Signature:</b>
+
+```typescript
+static isSavedObjectsClientError(error: any): error is DecoratedError;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  error | <code>any</code> |  |
+
+<b>Returns:</b>
+
+`error is DecoratedError`
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
index ffa4b06028c2a..d7c39281fca33 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectserrorhelpers.md
@@ -1,40 +1,40 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
-
-## SavedObjectsErrorHelpers class
-
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsErrorHelpers 
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [createBadRequestError(reason)](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md) | <code>static</code> |  |
-|  [createEsAutoCreateIndexError()](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md) | <code>static</code> |  |
-|  [createGenericNotFoundError(type, id)](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md) | <code>static</code> |  |
-|  [createInvalidVersionError(versionInput)](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md) | <code>static</code> |  |
-|  [createUnsupportedTypeError(type)](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md) | <code>static</code> |  |
-|  [decorateBadRequestError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md) | <code>static</code> |  |
-|  [decorateConflictError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md) | <code>static</code> |  |
-|  [decorateEsUnavailableError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md) | <code>static</code> |  |
-|  [decorateForbiddenError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md) | <code>static</code> |  |
-|  [decorateGeneralError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md) | <code>static</code> |  |
-|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
-|  [decorateRequestEntityTooLargeError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md) | <code>static</code> |  |
-|  [isBadRequestError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md) | <code>static</code> |  |
-|  [isConflictError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md) | <code>static</code> |  |
-|  [isEsAutoCreateIndexError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md) | <code>static</code> |  |
-|  [isEsUnavailableError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md) | <code>static</code> |  |
-|  [isForbiddenError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md) | <code>static</code> |  |
-|  [isInvalidVersionError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md) | <code>static</code> |  |
-|  [isNotAuthorizedError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
-|  [isNotFoundError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md) | <code>static</code> |  |
-|  [isRequestEntityTooLargeError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md) | <code>static</code> |  |
-|  [isSavedObjectsClientError(error)](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md) | <code>static</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsErrorHelpers](./kibana-plugin-server.savedobjectserrorhelpers.md)
+
+## SavedObjectsErrorHelpers class
+
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsErrorHelpers 
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [createBadRequestError(reason)](./kibana-plugin-server.savedobjectserrorhelpers.createbadrequesterror.md) | <code>static</code> |  |
+|  [createEsAutoCreateIndexError()](./kibana-plugin-server.savedobjectserrorhelpers.createesautocreateindexerror.md) | <code>static</code> |  |
+|  [createGenericNotFoundError(type, id)](./kibana-plugin-server.savedobjectserrorhelpers.creategenericnotfounderror.md) | <code>static</code> |  |
+|  [createInvalidVersionError(versionInput)](./kibana-plugin-server.savedobjectserrorhelpers.createinvalidversionerror.md) | <code>static</code> |  |
+|  [createUnsupportedTypeError(type)](./kibana-plugin-server.savedobjectserrorhelpers.createunsupportedtypeerror.md) | <code>static</code> |  |
+|  [decorateBadRequestError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratebadrequesterror.md) | <code>static</code> |  |
+|  [decorateConflictError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateconflicterror.md) | <code>static</code> |  |
+|  [decorateEsUnavailableError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateesunavailableerror.md) | <code>static</code> |  |
+|  [decorateForbiddenError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorateforbiddenerror.md) | <code>static</code> |  |
+|  [decorateGeneralError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decorategeneralerror.md) | <code>static</code> |  |
+|  [decorateNotAuthorizedError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoratenotauthorizederror.md) | <code>static</code> |  |
+|  [decorateRequestEntityTooLargeError(error, reason)](./kibana-plugin-server.savedobjectserrorhelpers.decoraterequestentitytoolargeerror.md) | <code>static</code> |  |
+|  [isBadRequestError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isbadrequesterror.md) | <code>static</code> |  |
+|  [isConflictError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isconflicterror.md) | <code>static</code> |  |
+|  [isEsAutoCreateIndexError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesautocreateindexerror.md) | <code>static</code> |  |
+|  [isEsUnavailableError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isesunavailableerror.md) | <code>static</code> |  |
+|  [isForbiddenError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isforbiddenerror.md) | <code>static</code> |  |
+|  [isInvalidVersionError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isinvalidversionerror.md) | <code>static</code> |  |
+|  [isNotAuthorizedError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotauthorizederror.md) | <code>static</code> |  |
+|  [isNotFoundError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isnotfounderror.md) | <code>static</code> |  |
+|  [isRequestEntityTooLargeError(error)](./kibana-plugin-server.savedobjectserrorhelpers.isrequestentitytoolargeerror.md) | <code>static</code> |  |
+|  [isSavedObjectsClientError(error)](./kibana-plugin-server.savedobjectserrorhelpers.issavedobjectsclienterror.md) | <code>static</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
index bffc809689834..479fa0221e256 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md)
-
-## SavedObjectsExportOptions.excludeExportDetails property
-
-flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream.
-
-<b>Signature:</b>
-
-```typescript
-excludeExportDetails?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md)
+
+## SavedObjectsExportOptions.excludeExportDetails property
+
+flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream.
+
+<b>Signature:</b>
+
+```typescript
+excludeExportDetails?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
index 36eba99273997..91a6e62296924 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md)
-
-## SavedObjectsExportOptions.exportSizeLimit property
-
-the maximum number of objects to export.
-
-<b>Signature:</b>
-
-```typescript
-exportSizeLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md)
+
+## SavedObjectsExportOptions.exportSizeLimit property
+
+the maximum number of objects to export.
+
+<b>Signature:</b>
+
+```typescript
+exportSizeLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
index 0cd7688e04184..44ac2761a19d2 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md)
-
-## SavedObjectsExportOptions.includeReferencesDeep property
-
-flag to also include all related saved objects in the export stream.
-
-<b>Signature:</b>
-
-```typescript
-includeReferencesDeep?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md)
+
+## SavedObjectsExportOptions.includeReferencesDeep property
+
+flag to also include all related saved objects in the export stream.
+
+<b>Signature:</b>
+
+```typescript
+includeReferencesDeep?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
index d312d7d4b3499..2715d58ab30d7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md)
-
-## SavedObjectsExportOptions interface
-
-Options controlling the export operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsExportOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md) | <code>boolean</code> | flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream. |
-|  [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md) | <code>number</code> | the maximum number of objects to export. |
-|  [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md) | <code>boolean</code> | flag to also include all related saved objects in the export stream. |
-|  [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md) | <code>string</code> | optional namespace to override the namespace used by the savedObjectsClient. |
-|  [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | optional array of objects to export. |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> | an instance of the SavedObjectsClient. |
-|  [search](./kibana-plugin-server.savedobjectsexportoptions.search.md) | <code>string</code> | optional query string to filter exported objects. |
-|  [types](./kibana-plugin-server.savedobjectsexportoptions.types.md) | <code>string[]</code> | optional array of saved object types. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md)
+
+## SavedObjectsExportOptions interface
+
+Options controlling the export operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsExportOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [excludeExportDetails](./kibana-plugin-server.savedobjectsexportoptions.excludeexportdetails.md) | <code>boolean</code> | flag to not append [export details](./kibana-plugin-server.savedobjectsexportresultdetails.md) to the end of the export stream. |
+|  [exportSizeLimit](./kibana-plugin-server.savedobjectsexportoptions.exportsizelimit.md) | <code>number</code> | the maximum number of objects to export. |
+|  [includeReferencesDeep](./kibana-plugin-server.savedobjectsexportoptions.includereferencesdeep.md) | <code>boolean</code> | flag to also include all related saved objects in the export stream. |
+|  [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md) | <code>string</code> | optional namespace to override the namespace used by the savedObjectsClient. |
+|  [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | optional array of objects to export. |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> | an instance of the SavedObjectsClient. |
+|  [search](./kibana-plugin-server.savedobjectsexportoptions.search.md) | <code>string</code> | optional query string to filter exported objects. |
+|  [types](./kibana-plugin-server.savedobjectsexportoptions.types.md) | <code>string[]</code> | optional array of saved object types. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
index 1a28cc92e6e7e..6dde67d8cac0d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.namespace.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md)
-
-## SavedObjectsExportOptions.namespace property
-
-optional namespace to override the namespace used by the savedObjectsClient.
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsexportoptions.namespace.md)
+
+## SavedObjectsExportOptions.namespace property
+
+optional namespace to override the namespace used by the savedObjectsClient.
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
index cd32f66c0f81e..ab93ecc06a137 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.objects.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md)
-
-## SavedObjectsExportOptions.objects property
-
-optional array of objects to export.
-
-<b>Signature:</b>
-
-```typescript
-objects?: Array<{
-        id: string;
-        type: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [objects](./kibana-plugin-server.savedobjectsexportoptions.objects.md)
+
+## SavedObjectsExportOptions.objects property
+
+optional array of objects to export.
+
+<b>Signature:</b>
+
+```typescript
+objects?: Array<{
+        id: string;
+        type: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
index 1e0dd6c6f164f..851f0025b6c1b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md)
-
-## SavedObjectsExportOptions.savedObjectsClient property
-
-an instance of the SavedObjectsClient.
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsexportoptions.savedobjectsclient.md)
+
+## SavedObjectsExportOptions.savedObjectsClient property
+
+an instance of the SavedObjectsClient.
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
index 5e44486ee65e0..a78fccc3f0b66 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsexportoptions.search.md)
-
-## SavedObjectsExportOptions.search property
-
-optional query string to filter exported objects.
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsexportoptions.search.md)
+
+## SavedObjectsExportOptions.search property
+
+optional query string to filter exported objects.
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
index cf1eb676f7ab8..bf57bc253c52c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportoptions.types.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [types](./kibana-plugin-server.savedobjectsexportoptions.types.md)
-
-## SavedObjectsExportOptions.types property
-
-optional array of saved object types.
-
-<b>Signature:</b>
-
-```typescript
-types?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportOptions](./kibana-plugin-server.savedobjectsexportoptions.md) &gt; [types](./kibana-plugin-server.savedobjectsexportoptions.types.md)
+
+## SavedObjectsExportOptions.types property
+
+optional array of saved object types.
+
+<b>Signature:</b>
+
+```typescript
+types?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
index c2e588dd3c121..9f67dea572abf 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md)
-
-## SavedObjectsExportResultDetails.exportedCount property
-
-number of successfully exported objects
-
-<b>Signature:</b>
-
-```typescript
-exportedCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md)
+
+## SavedObjectsExportResultDetails.exportedCount property
+
+number of successfully exported objects
+
+<b>Signature:</b>
+
+```typescript
+exportedCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
index fb3af350d21ea..475918d97f7ac 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md)
-
-## SavedObjectsExportResultDetails interface
-
-Structure of the export result details entry
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsExportResultDetails 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md) | <code>number</code> | number of successfully exported objects |
-|  [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md) | <code>number</code> | number of missing references |
-|  [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | missing references details |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md)
+
+## SavedObjectsExportResultDetails interface
+
+Structure of the export result details entry
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsExportResultDetails 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [exportedCount](./kibana-plugin-server.savedobjectsexportresultdetails.exportedcount.md) | <code>number</code> | number of successfully exported objects |
+|  [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md) | <code>number</code> | number of missing references |
+|  [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md) | <code>Array&lt;{</code><br/><code>        id: string;</code><br/><code>        type: string;</code><br/><code>    }&gt;</code> | missing references details |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
index 5b51199ea4780..bc1b359aeda80 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md)
-
-## SavedObjectsExportResultDetails.missingRefCount property
-
-number of missing references
-
-<b>Signature:</b>
-
-```typescript
-missingRefCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingRefCount](./kibana-plugin-server.savedobjectsexportresultdetails.missingrefcount.md)
+
+## SavedObjectsExportResultDetails.missingRefCount property
+
+number of missing references
+
+<b>Signature:</b>
+
+```typescript
+missingRefCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
index 1602bfb6e6cb6..024f625b527e8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md)
-
-## SavedObjectsExportResultDetails.missingReferences property
-
-missing references details
-
-<b>Signature:</b>
-
-```typescript
-missingReferences: Array<{
-        id: string;
-        type: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsExportResultDetails](./kibana-plugin-server.savedobjectsexportresultdetails.md) &gt; [missingReferences](./kibana-plugin-server.savedobjectsexportresultdetails.missingreferences.md)
+
+## SavedObjectsExportResultDetails.missingReferences property
+
+missing references details
+
+<b>Signature:</b>
+
+```typescript
+missingReferences: Array<{
+        id: string;
+        type: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
index c3b7f35e351ff..e4209bee3f8b6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md)
-
-## SavedObjectsFindOptions.defaultSearchOperator property
-
-<b>Signature:</b>
-
-```typescript
-defaultSearchOperator?: 'AND' | 'OR';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md)
+
+## SavedObjectsFindOptions.defaultSearchOperator property
+
+<b>Signature:</b>
+
+```typescript
+defaultSearchOperator?: 'AND' | 'OR';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
index 394363abb5d4d..b4777d45217e1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.fields.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md)
-
-## SavedObjectsFindOptions.fields property
-
-An array of fields to include in the results
-
-<b>Signature:</b>
-
-```typescript
-fields?: string[];
-```
-
-## Example
-
-SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md)
+
+## SavedObjectsFindOptions.fields property
+
+An array of fields to include in the results
+
+<b>Signature:</b>
+
+```typescript
+fields?: string[];
+```
+
+## Example
+
+SavedObjects.find(<!-- -->{<!-- -->type: 'dashboard', fields: \['attributes.name', 'attributes.location'\]<!-- -->}<!-- -->)
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
index 308bebbeaf60b..409fc337188dc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.filter.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md)
-
-## SavedObjectsFindOptions.filter property
-
-<b>Signature:</b>
-
-```typescript
-filter?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md)
+
+## SavedObjectsFindOptions.filter property
+
+<b>Signature:</b>
+
+```typescript
+filter?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
index 01d20d898c1ef..23f0bc712ca52 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.hasreference.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md)
-
-## SavedObjectsFindOptions.hasReference property
-
-<b>Signature:</b>
-
-```typescript
-hasReference?: {
-        type: string;
-        id: string;
-    };
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md)
+
+## SavedObjectsFindOptions.hasReference property
+
+<b>Signature:</b>
+
+```typescript
+hasReference?: {
+        type: string;
+        id: string;
+    };
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
index dfd51d480db92..df1b916b0604b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md)
-
-## SavedObjectsFindOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
-|  [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
-|  [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
-|  [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
-|  [page](./kibana-plugin-server.savedobjectsfindoptions.page.md) | <code>number</code> |  |
-|  [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
-|  [search](./kibana-plugin-server.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
-|  [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
-|  [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
-|  [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md)
+
+## SavedObjectsFindOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [defaultSearchOperator](./kibana-plugin-server.savedobjectsfindoptions.defaultsearchoperator.md) | <code>'AND' &#124; 'OR'</code> |  |
+|  [fields](./kibana-plugin-server.savedobjectsfindoptions.fields.md) | <code>string[]</code> | An array of fields to include in the results |
+|  [filter](./kibana-plugin-server.savedobjectsfindoptions.filter.md) | <code>string</code> |  |
+|  [hasReference](./kibana-plugin-server.savedobjectsfindoptions.hasreference.md) | <code>{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }</code> |  |
+|  [page](./kibana-plugin-server.savedobjectsfindoptions.page.md) | <code>number</code> |  |
+|  [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md) | <code>number</code> |  |
+|  [search](./kibana-plugin-server.savedobjectsfindoptions.search.md) | <code>string</code> | Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String <code>query</code> argument for more information |
+|  [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md) | <code>string[]</code> | The fields to perform the parsed query against. See Elasticsearch Simple Query String <code>fields</code> argument for more information |
+|  [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md) | <code>string</code> |  |
+|  [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsfindoptions.type.md) | <code>string &#124; string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
index ab6faaf6649ee..40a62f9b82da4 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-server.savedobjectsfindoptions.page.md)
-
-## SavedObjectsFindOptions.page property
-
-<b>Signature:</b>
-
-```typescript
-page?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [page](./kibana-plugin-server.savedobjectsfindoptions.page.md)
+
+## SavedObjectsFindOptions.page property
+
+<b>Signature:</b>
+
+```typescript
+page?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
index f775aa450b93a..c53db2089630f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.perpage.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md)
-
-## SavedObjectsFindOptions.perPage property
-
-<b>Signature:</b>
-
-```typescript
-perPage?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [perPage](./kibana-plugin-server.savedobjectsfindoptions.perpage.md)
+
+## SavedObjectsFindOptions.perPage property
+
+<b>Signature:</b>
+
+```typescript
+perPage?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
index a29dda1892918..5807307a29ad0 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.search.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsfindoptions.search.md)
-
-## SavedObjectsFindOptions.search property
-
-Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-search?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [search](./kibana-plugin-server.savedobjectsfindoptions.search.md)
+
+## SavedObjectsFindOptions.search property
+
+Search documents using the Elasticsearch Simple Query String syntax. See Elasticsearch Simple Query String `query` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+search?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
index 2505bac8aec49..5e42ebd4b1dc9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.searchfields.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md)
-
-## SavedObjectsFindOptions.searchFields property
-
-The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
-
-<b>Signature:</b>
-
-```typescript
-searchFields?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [searchFields](./kibana-plugin-server.savedobjectsfindoptions.searchfields.md)
+
+## SavedObjectsFindOptions.searchFields property
+
+The fields to perform the parsed query against. See Elasticsearch Simple Query String `fields` argument for more information
+
+<b>Signature:</b>
+
+```typescript
+searchFields?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
index 3ba2916c3b068..a67fc786a8037 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortfield.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md)
-
-## SavedObjectsFindOptions.sortField property
-
-<b>Signature:</b>
-
-```typescript
-sortField?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortField](./kibana-plugin-server.savedobjectsfindoptions.sortfield.md)
+
+## SavedObjectsFindOptions.sortField property
+
+<b>Signature:</b>
+
+```typescript
+sortField?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
index bae922313db34..32475703199e6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.sortorder.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md)
-
-## SavedObjectsFindOptions.sortOrder property
-
-<b>Signature:</b>
-
-```typescript
-sortOrder?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [sortOrder](./kibana-plugin-server.savedobjectsfindoptions.sortorder.md)
+
+## SavedObjectsFindOptions.sortOrder property
+
+<b>Signature:</b>
+
+```typescript
+sortOrder?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
index 95bac5bbc5cb8..325cb491b71ca 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindoptions.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-server.savedobjectsfindoptions.type.md)
-
-## SavedObjectsFindOptions.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string | string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindOptions](./kibana-plugin-server.savedobjectsfindoptions.md) &gt; [type](./kibana-plugin-server.savedobjectsfindoptions.type.md)
+
+## SavedObjectsFindOptions.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string | string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
index 23299e22d8004..efdc07cea88fd 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md)
-
-## SavedObjectsFindResponse interface
-
-Return type of the Saved Objects `find()` method.
-
-\*Note\*: this type is different between the Public and Server Saved Objects clients.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsFindResponse<T extends SavedObjectAttributes = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [page](./kibana-plugin-server.savedobjectsfindresponse.page.md) | <code>number</code> |  |
-|  [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md) | <code>number</code> |  |
-|  [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
-|  [total](./kibana-plugin-server.savedobjectsfindresponse.total.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md)
+
+## SavedObjectsFindResponse interface
+
+Return type of the Saved Objects `find()` method.
+
+\*Note\*: this type is different between the Public and Server Saved Objects clients.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsFindResponse<T extends SavedObjectAttributes = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [page](./kibana-plugin-server.savedobjectsfindresponse.page.md) | <code>number</code> |  |
+|  [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md) | <code>number</code> |  |
+|  [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md) | <code>Array&lt;SavedObject&lt;T&gt;&gt;</code> |  |
+|  [total](./kibana-plugin-server.savedobjectsfindresponse.total.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
index 82cd16cd7b48a..f6327563e902b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [page](./kibana-plugin-server.savedobjectsfindresponse.page.md)
-
-## SavedObjectsFindResponse.page property
-
-<b>Signature:</b>
-
-```typescript
-page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [page](./kibana-plugin-server.savedobjectsfindresponse.page.md)
+
+## SavedObjectsFindResponse.page property
+
+<b>Signature:</b>
+
+```typescript
+page: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
index d93b302488382..d60690dcbc793 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.per_page.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md)
-
-## SavedObjectsFindResponse.per\_page property
-
-<b>Signature:</b>
-
-```typescript
-per_page: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [per\_page](./kibana-plugin-server.savedobjectsfindresponse.per_page.md)
+
+## SavedObjectsFindResponse.per\_page property
+
+<b>Signature:</b>
+
+```typescript
+per_page: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
index 9e4247be4e02d..aba05cd3824e0 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.saved_objects.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md)
-
-## SavedObjectsFindResponse.saved\_objects property
-
-<b>Signature:</b>
-
-```typescript
-saved_objects: Array<SavedObject<T>>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [saved\_objects](./kibana-plugin-server.savedobjectsfindresponse.saved_objects.md)
+
+## SavedObjectsFindResponse.saved\_objects property
+
+<b>Signature:</b>
+
+```typescript
+saved_objects: Array<SavedObject<T>>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
index 12e86e8d3a4e7..84626f76d66ad 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsfindresponse.total.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [total](./kibana-plugin-server.savedobjectsfindresponse.total.md)
-
-## SavedObjectsFindResponse.total property
-
-<b>Signature:</b>
-
-```typescript
-total: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsFindResponse](./kibana-plugin-server.savedobjectsfindresponse.md) &gt; [total](./kibana-plugin-server.savedobjectsfindresponse.total.md)
+
+## SavedObjectsFindResponse.total property
+
+<b>Signature:</b>
+
+```typescript
+total: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
index 485500da504a9..ade9e50b05a0e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md)
-
-## SavedObjectsImportConflictError interface
-
-Represents a failure to import due to a conflict.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportConflictError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md)
+
+## SavedObjectsImportConflictError interface
+
+Represents a failure to import due to a conflict.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportConflictError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md) | <code>'conflict'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
index bd85de140674a..f37d4615b2248 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportconflicterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md)
-
-## SavedObjectsImportConflictError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'conflict';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportConflictError](./kibana-plugin-server.savedobjectsimportconflicterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportconflicterror.type.md)
+
+## SavedObjectsImportConflictError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'conflict';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
index 0828ca9e01c34..fd5c667c11a6f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.error.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-server.savedobjectsimporterror.error.md)
-
-## SavedObjectsImportError.error property
-
-<b>Signature:</b>
-
-```typescript
-error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [error](./kibana-plugin-server.savedobjectsimporterror.error.md)
+
+## SavedObjectsImportError.error property
+
+<b>Signature:</b>
+
+```typescript
+error: SavedObjectsImportConflictError | SavedObjectsImportUnsupportedTypeError | SavedObjectsImportMissingReferencesError | SavedObjectsImportUnknownError;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
index 0791d668f4626..791797b88cc63 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-server.savedobjectsimporterror.id.md)
-
-## SavedObjectsImportError.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [id](./kibana-plugin-server.savedobjectsimporterror.id.md)
+
+## SavedObjectsImportError.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
index 0d734c21c3151..f0a734c2f29cc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md)
-
-## SavedObjectsImportError interface
-
-Represents a failure to import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [error](./kibana-plugin-server.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
-|  [id](./kibana-plugin-server.savedobjectsimporterror.id.md) | <code>string</code> |  |
-|  [title](./kibana-plugin-server.savedobjectsimporterror.title.md) | <code>string</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimporterror.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md)
+
+## SavedObjectsImportError interface
+
+Represents a failure to import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [error](./kibana-plugin-server.savedobjectsimporterror.error.md) | <code>SavedObjectsImportConflictError &#124; SavedObjectsImportUnsupportedTypeError &#124; SavedObjectsImportMissingReferencesError &#124; SavedObjectsImportUnknownError</code> |  |
+|  [id](./kibana-plugin-server.savedobjectsimporterror.id.md) | <code>string</code> |  |
+|  [title](./kibana-plugin-server.savedobjectsimporterror.title.md) | <code>string</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimporterror.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
index bd0beeb4d79dd..80b8b695ea467 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.title.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-server.savedobjectsimporterror.title.md)
-
-## SavedObjectsImportError.title property
-
-<b>Signature:</b>
-
-```typescript
-title?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [title](./kibana-plugin-server.savedobjectsimporterror.title.md)
+
+## SavedObjectsImportError.title property
+
+<b>Signature:</b>
+
+```typescript
+title?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
index 0b48cc4bbaecf..6d4edf37d7a2c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimporterror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimporterror.type.md)
-
-## SavedObjectsImportError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportError](./kibana-plugin-server.savedobjectsimporterror.md) &gt; [type](./kibana-plugin-server.savedobjectsimporterror.type.md)
+
+## SavedObjectsImportError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
index bbbd499ea5844..44564f6db6976 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md)
-
-## SavedObjectsImportMissingReferencesError.blocking property
-
-<b>Signature:</b>
-
-```typescript
-blocking: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md)
+
+## SavedObjectsImportMissingReferencesError.blocking property
+
+<b>Signature:</b>
+
+```typescript
+blocking: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
index fb4e997fe17ba..72ce40bd6edfa 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md)
-
-## SavedObjectsImportMissingReferencesError interface
-
-Represents a failure to import due to missing references.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportMissingReferencesError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md)
+
+## SavedObjectsImportMissingReferencesError interface
+
+Represents a failure to import due to missing references.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportMissingReferencesError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [blocking](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.blocking.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        id: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md) | <code>'missing_references'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
index 593d2b48d456c..795bfa9fc9ea9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md
@@ -1,14 +1,14 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md)
-
-## SavedObjectsImportMissingReferencesError.references property
-
-<b>Signature:</b>
-
-```typescript
-references: Array<{
-        type: string;
-        id: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [references](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.references.md)
+
+## SavedObjectsImportMissingReferencesError.references property
+
+<b>Signature:</b>
+
+```typescript
+references: Array<{
+        type: string;
+        id: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
index 3e6e80f77c447..80ac2efb28dbc 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md)
-
-## SavedObjectsImportMissingReferencesError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'missing_references';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportMissingReferencesError](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportmissingreferenceserror.type.md)
+
+## SavedObjectsImportMissingReferencesError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'missing_references';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
index a1ea33e11b14f..9653fa802a3e8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md)
-
-## SavedObjectsImportOptions interface
-
-Options to control the import operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md) | <code>string</code> |  |
-|  [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md) | <code>number</code> |  |
-|  [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md) | <code>boolean</code> |  |
-|  [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md) | <code>Readable</code> |  |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
-|  [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md)
+
+## SavedObjectsImportOptions interface
+
+Options to control the import operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md) | <code>string</code> |  |
+|  [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md) | <code>number</code> |  |
+|  [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md) | <code>boolean</code> |  |
+|  [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md) | <code>Readable</code> |  |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
+|  [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
index 600a4dc1176f3..2b15ba2a1b7ec 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md)
-
-## SavedObjectsImportOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsimportoptions.namespace.md)
+
+## SavedObjectsImportOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
index bb040a560b89b..89c01a13644b8 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.objectlimit.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md)
-
-## SavedObjectsImportOptions.objectLimit property
-
-<b>Signature:</b>
-
-```typescript
-objectLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsimportoptions.objectlimit.md)
+
+## SavedObjectsImportOptions.objectLimit property
+
+<b>Signature:</b>
+
+```typescript
+objectLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
index 4586a93568588..54728aaa80fed 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md)
-
-## SavedObjectsImportOptions.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportoptions.overwrite.md)
+
+## SavedObjectsImportOptions.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
index 4b54f931797cf..7739fdfbc8460 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.readstream.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md)
-
-## SavedObjectsImportOptions.readStream property
-
-<b>Signature:</b>
-
-```typescript
-readStream: Readable;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsimportoptions.readstream.md)
+
+## SavedObjectsImportOptions.readStream property
+
+<b>Signature:</b>
+
+```typescript
+readStream: Readable;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
index f0d439aedc005..23d5aba5fe114 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md)
-
-## SavedObjectsImportOptions.savedObjectsClient property
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsimportoptions.savedobjectsclient.md)
+
+## SavedObjectsImportOptions.savedObjectsClient property
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
index 0359c53d8fcf1..03ee12ab2a0f7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md)
-
-## SavedObjectsImportOptions.supportedTypes property
-
-<b>Signature:</b>
-
-```typescript
-supportedTypes: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportOptions](./kibana-plugin-server.savedobjectsimportoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsimportoptions.supportedtypes.md)
+
+## SavedObjectsImportOptions.supportedTypes property
+
+<b>Signature:</b>
+
+```typescript
+supportedTypes: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
index c59390c6d45e0..1df7c0a37323e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.errors.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md)
-
-## SavedObjectsImportResponse.errors property
-
-<b>Signature:</b>
-
-```typescript
-errors?: SavedObjectsImportError[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md)
+
+## SavedObjectsImportResponse.errors property
+
+<b>Signature:</b>
+
+```typescript
+errors?: SavedObjectsImportError[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
index 23f6526dc6367..3e42307e90a4a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md)
-
-## SavedObjectsImportResponse interface
-
-The response describing the result of an import.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportResponse 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
-|  [success](./kibana-plugin-server.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
-|  [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md)
+
+## SavedObjectsImportResponse interface
+
+The response describing the result of an import.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportResponse 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [errors](./kibana-plugin-server.savedobjectsimportresponse.errors.md) | <code>SavedObjectsImportError[]</code> |  |
+|  [success](./kibana-plugin-server.savedobjectsimportresponse.success.md) | <code>boolean</code> |  |
+|  [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md) | <code>number</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
index 5fd76959c556c..77e528e8541ce 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.success.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-server.savedobjectsimportresponse.success.md)
-
-## SavedObjectsImportResponse.success property
-
-<b>Signature:</b>
-
-```typescript
-success: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [success](./kibana-plugin-server.savedobjectsimportresponse.success.md)
+
+## SavedObjectsImportResponse.success property
+
+<b>Signature:</b>
+
+```typescript
+success: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
index 4b49f57e8367d..4c1fbcdbcc854 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportresponse.successcount.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md)
-
-## SavedObjectsImportResponse.successCount property
-
-<b>Signature:</b>
-
-```typescript
-successCount: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportResponse](./kibana-plugin-server.savedobjectsimportresponse.md) &gt; [successCount](./kibana-plugin-server.savedobjectsimportresponse.successcount.md)
+
+## SavedObjectsImportResponse.successCount property
+
+<b>Signature:</b>
+
+```typescript
+successCount: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
index 568185b2438b7..6491f514c4a3d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-server.savedobjectsimportretry.id.md)
-
-## SavedObjectsImportRetry.id property
-
-<b>Signature:</b>
-
-```typescript
-id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [id](./kibana-plugin-server.savedobjectsimportretry.id.md)
+
+## SavedObjectsImportRetry.id property
+
+<b>Signature:</b>
+
+```typescript
+id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
index dc842afbf9f29..d7fcc613b2508 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md)
-
-## SavedObjectsImportRetry interface
-
-Describes a retry operation for importing a saved object.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportRetry 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [id](./kibana-plugin-server.savedobjectsimportretry.id.md) | <code>string</code> |  |
-|  [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
-|  [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportretry.type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md)
+
+## SavedObjectsImportRetry interface
+
+Describes a retry operation for importing a saved object.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportRetry 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [id](./kibana-plugin-server.savedobjectsimportretry.id.md) | <code>string</code> |  |
+|  [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md) | <code>boolean</code> |  |
+|  [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md) | <code>Array&lt;{</code><br/><code>        type: string;</code><br/><code>        from: string;</code><br/><code>        to: string;</code><br/><code>    }&gt;</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportretry.type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
index 36a31e836aebc..68310c61ca0bd 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.overwrite.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md)
-
-## SavedObjectsImportRetry.overwrite property
-
-<b>Signature:</b>
-
-```typescript
-overwrite: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [overwrite](./kibana-plugin-server.savedobjectsimportretry.overwrite.md)
+
+## SavedObjectsImportRetry.overwrite property
+
+<b>Signature:</b>
+
+```typescript
+overwrite: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
index c3439bb554e13..659230932c875 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.replacereferences.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md)
-
-## SavedObjectsImportRetry.replaceReferences property
-
-<b>Signature:</b>
-
-```typescript
-replaceReferences: Array<{
-        type: string;
-        from: string;
-        to: string;
-    }>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [replaceReferences](./kibana-plugin-server.savedobjectsimportretry.replacereferences.md)
+
+## SavedObjectsImportRetry.replaceReferences property
+
+<b>Signature:</b>
+
+```typescript
+replaceReferences: Array<{
+        type: string;
+        from: string;
+        to: string;
+    }>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
index 8f0408dcbc11e..db3f3d1c32192 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportretry.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-server.savedobjectsimportretry.type.md)
-
-## SavedObjectsImportRetry.type property
-
-<b>Signature:</b>
-
-```typescript
-type: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportRetry](./kibana-plugin-server.savedobjectsimportretry.md) &gt; [type](./kibana-plugin-server.savedobjectsimportretry.type.md)
+
+## SavedObjectsImportRetry.type property
+
+<b>Signature:</b>
+
+```typescript
+type: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
index 913038c5bc67d..cd6a553b4da19 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md)
-
-## SavedObjectsImportUnknownError interface
-
-Represents a failure to import due to an unknown reason.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnknownError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
-|  [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
-|  [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md)
+
+## SavedObjectsImportUnknownError interface
+
+Represents a failure to import due to an unknown reason.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnknownError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md) | <code>string</code> |  |
+|  [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md) | <code>number</code> |  |
+|  [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md) | <code>'unknown'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
index 96b8b98bf6a9f..0056be3b61018 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md)
-
-## SavedObjectsImportUnknownError.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [message](./kibana-plugin-server.savedobjectsimportunknownerror.message.md)
+
+## SavedObjectsImportUnknownError.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
index 9cdef84ff4ea7..1511aaa786fe1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md)
-
-## SavedObjectsImportUnknownError.statusCode property
-
-<b>Signature:</b>
-
-```typescript
-statusCode: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [statusCode](./kibana-plugin-server.savedobjectsimportunknownerror.statuscode.md)
+
+## SavedObjectsImportUnknownError.statusCode property
+
+<b>Signature:</b>
+
+```typescript
+statusCode: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
index cf31166157ab7..aeb948de0aa00 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunknownerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md)
-
-## SavedObjectsImportUnknownError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unknown';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnknownError](./kibana-plugin-server.savedobjectsimportunknownerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunknownerror.type.md)
+
+## SavedObjectsImportUnknownError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unknown';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
index cc775b20bb8f2..cff068345d801 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md)
-
-## SavedObjectsImportUnsupportedTypeError interface
-
-Represents a failure to import due to having an unsupported saved object type.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsImportUnsupportedTypeError 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md)
+
+## SavedObjectsImportUnsupportedTypeError interface
+
+Represents a failure to import due to having an unsupported saved object type.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsImportUnsupportedTypeError 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md) | <code>'unsupported_type'</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
index ae69911020c18..6145eefed84c9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md)
-
-## SavedObjectsImportUnsupportedTypeError.type property
-
-<b>Signature:</b>
-
-```typescript
-type: 'unsupported_type';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsImportUnsupportedTypeError](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.md) &gt; [type](./kibana-plugin-server.savedobjectsimportunsupportedtypeerror.type.md)
+
+## SavedObjectsImportUnsupportedTypeError.type property
+
+<b>Signature:</b>
+
+```typescript
+type: 'unsupported_type';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
index 38ee40157888f..b53ec0247511f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md)
-
-## SavedObjectsIncrementCounterOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsIncrementCounterOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> |  |
-|  [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md)
+
+## SavedObjectsIncrementCounterOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsIncrementCounterOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md) | <code>SavedObjectsMigrationVersion</code> |  |
+|  [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
index 3b80dea4fecde..6e24d916969b9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md)
-
-## SavedObjectsIncrementCounterOptions.migrationVersion property
-
-<b>Signature:</b>
-
-```typescript
-migrationVersion?: SavedObjectsMigrationVersion;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [migrationVersion](./kibana-plugin-server.savedobjectsincrementcounteroptions.migrationversion.md)
+
+## SavedObjectsIncrementCounterOptions.migrationVersion property
+
+<b>Signature:</b>
+
+```typescript
+migrationVersion?: SavedObjectsMigrationVersion;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
index acd8d6f0916f9..13104808f8dec 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md)
-
-## SavedObjectsIncrementCounterOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsIncrementCounterOptions](./kibana-plugin-server.savedobjectsincrementcounteroptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsincrementcounteroptions.refresh.md)
+
+## SavedObjectsIncrementCounterOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
index be44bc7422d6c..64854078d41d6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.debug.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md)
-
-## SavedObjectsMigrationLogger.debug property
-
-<b>Signature:</b>
-
-```typescript
-debug: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md)
+
+## SavedObjectsMigrationLogger.debug property
+
+<b>Signature:</b>
+
+```typescript
+debug: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
index f8bbd5e4e6250..57bb1e77d0e78 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.info.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md)
-
-## SavedObjectsMigrationLogger.info property
-
-<b>Signature:</b>
-
-```typescript
-info: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md)
+
+## SavedObjectsMigrationLogger.info property
+
+<b>Signature:</b>
+
+```typescript
+info: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
index 9e21cb0641baf..a98d88700cd55 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md)
-
-## SavedObjectsMigrationLogger interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationLogger 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md) | <code>(msg: string) =&gt; void</code> |  |
-|  [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md) | <code>(msg: string) =&gt; void</code> |  |
-|  [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md) | <code>(msg: string) =&gt; void</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md)
+
+## SavedObjectsMigrationLogger interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationLogger 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [debug](./kibana-plugin-server.savedobjectsmigrationlogger.debug.md) | <code>(msg: string) =&gt; void</code> |  |
+|  [info](./kibana-plugin-server.savedobjectsmigrationlogger.info.md) | <code>(msg: string) =&gt; void</code> |  |
+|  [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md) | <code>(msg: string) =&gt; void</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
index 978090f9fc885..a87955d603b70 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationlogger.warning.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md)
-
-## SavedObjectsMigrationLogger.warning property
-
-<b>Signature:</b>
-
-```typescript
-warning: (msg: string) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationLogger](./kibana-plugin-server.savedobjectsmigrationlogger.md) &gt; [warning](./kibana-plugin-server.savedobjectsmigrationlogger.warning.md)
+
+## SavedObjectsMigrationLogger.warning property
+
+<b>Signature:</b>
+
+```typescript
+warning: (msg: string) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
index b7f9c8fd8fe98..5e32cf5985a3e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsmigrationversion.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md)
-
-## SavedObjectsMigrationVersion interface
-
-Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsMigrationVersion 
-```
-
-## Example
-
-migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsMigrationVersion](./kibana-plugin-server.savedobjectsmigrationversion.md)
+
+## SavedObjectsMigrationVersion interface
+
+Information about the migrations that have been applied to this SavedObject. When Kibana starts up, KibanaMigrator detects outdated documents and migrates them based on this value. For each migration that has been applied, the plugin's name is used as a key and the latest migration version as the value.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsMigrationVersion 
+```
+
+## Example
+
+migrationVersion: { dashboard: '7.1.1', space: '6.6.6', }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
index cd16eadf51931..05f5e93b9a87c 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._id.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md)
-
-## SavedObjectsRawDoc.\_id property
-
-<b>Signature:</b>
-
-```typescript
-_id: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md)
+
+## SavedObjectsRawDoc.\_id property
+
+<b>Signature:</b>
+
+```typescript
+_id: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
index c5eef82322f58..25bd447013039 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._primary_term.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md)
-
-## SavedObjectsRawDoc.\_primary\_term property
-
-<b>Signature:</b>
-
-```typescript
-_primary_term?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md)
+
+## SavedObjectsRawDoc.\_primary\_term property
+
+<b>Signature:</b>
+
+```typescript
+_primary_term?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
index a3b9a943a708c..86f8ce619a709 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._seq_no.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md)
-
-## SavedObjectsRawDoc.\_seq\_no property
-
-<b>Signature:</b>
-
-```typescript
-_seq_no?: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md)
+
+## SavedObjectsRawDoc.\_seq\_no property
+
+<b>Signature:</b>
+
+```typescript
+_seq_no?: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
index 1babaab14f14d..dcf207f8120ea 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._source.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md)
-
-## SavedObjectsRawDoc.\_source property
-
-<b>Signature:</b>
-
-```typescript
-_source: any;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md)
+
+## SavedObjectsRawDoc.\_source property
+
+<b>Signature:</b>
+
+```typescript
+_source: any;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
index 31c40e15b53c0..5480b401ba6ce 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc._type.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md)
-
-## SavedObjectsRawDoc.\_type property
-
-<b>Signature:</b>
-
-```typescript
-_type?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md) &gt; [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md)
+
+## SavedObjectsRawDoc.\_type property
+
+<b>Signature:</b>
+
+```typescript
+_type?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
index 5864a85465396..b0130df01817f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrawdoc.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md)
-
-## SavedObjectsRawDoc interface
-
-A raw document as represented directly in the saved object index.
-
-<b>Signature:</b>
-
-```typescript
-export interface RawDoc 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md) | <code>string</code> |  |
-|  [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md) | <code>number</code> |  |
-|  [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md) | <code>number</code> |  |
-|  [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md) | <code>any</code> |  |
-|  [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRawDoc](./kibana-plugin-server.savedobjectsrawdoc.md)
+
+## SavedObjectsRawDoc interface
+
+A raw document as represented directly in the saved object index.
+
+<b>Signature:</b>
+
+```typescript
+export interface RawDoc 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [\_id](./kibana-plugin-server.savedobjectsrawdoc._id.md) | <code>string</code> |  |
+|  [\_primary\_term](./kibana-plugin-server.savedobjectsrawdoc._primary_term.md) | <code>number</code> |  |
+|  [\_seq\_no](./kibana-plugin-server.savedobjectsrawdoc._seq_no.md) | <code>number</code> |  |
+|  [\_source](./kibana-plugin-server.savedobjectsrawdoc._source.md) | <code>any</code> |  |
+|  [\_type](./kibana-plugin-server.savedobjectsrawdoc._type.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
index 003bc6ac72466..dfe9e51e62483 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkcreate.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md)
-
-## SavedObjectsRepository.bulkCreate() method
-
-Creates multiple documents at once
-
-<b>Signature:</b>
-
-```typescript
-bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkCreate](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md)
+
+## SavedObjectsRepository.bulkCreate() method
+
+Creates multiple documents at once
+
+<b>Signature:</b>
+
+```typescript
+bulkCreate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkCreateObject<T>>, options?: SavedObjectsCreateOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkCreateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
index 605984d5dea30..34b113bce5410 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkget.md
@@ -1,31 +1,31 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsrepository.bulkget.md)
-
-## SavedObjectsRepository.bulkGet() method
-
-Returns an array of objects by id
-
-<b>Signature:</b>
-
-```typescript
-bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>SavedObjectsBulkGetObject[]</code> |  |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkResponse<T>>`
-
-{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\] }
-
-## Example
-
-bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkGet](./kibana-plugin-server.savedobjectsrepository.bulkget.md)
+
+## SavedObjectsRepository.bulkGet() method
+
+Returns an array of objects by id
+
+<b>Signature:</b>
+
+```typescript
+bulkGet<T extends SavedObjectAttributes = any>(objects?: SavedObjectsBulkGetObject[], options?: SavedObjectsBaseOptions): Promise<SavedObjectsBulkResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>SavedObjectsBulkGetObject[]</code> |  |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkResponse<T>>`
+
+{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\] }
+
+## Example
+
+bulkGet(\[ { id: 'one', type: 'config' }<!-- -->, { id: 'foo', type: 'index-pattern' } \])
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
index 52a73c83b4c3a..23c7a92624957 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.bulkupdate.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md)
-
-## SavedObjectsRepository.bulkUpdate() method
-
-Updates multiple objects in bulk
-
-<b>Signature:</b>
-
-```typescript
-bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
-|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsBulkUpdateResponse<T>>`
-
-{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [bulkUpdate](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md)
+
+## SavedObjectsRepository.bulkUpdate() method
+
+Updates multiple objects in bulk
+
+<b>Signature:</b>
+
+```typescript
+bulkUpdate<T extends SavedObjectAttributes = any>(objects: Array<SavedObjectsBulkUpdateObject<T>>, options?: SavedObjectsBulkUpdateOptions): Promise<SavedObjectsBulkUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  objects | <code>Array&lt;SavedObjectsBulkUpdateObject&lt;T&gt;&gt;</code> |  |
+|  options | <code>SavedObjectsBulkUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsBulkUpdateResponse<T>>`
+
+{<!-- -->promise<!-- -->} - {<!-- -->saved\_objects: \[\[{ id, type, version, references, attributes, error: { message } }<!-- -->\]<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
index 3a731629156e2..29e3c3ab24654 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.create.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [create](./kibana-plugin-server.savedobjectsrepository.create.md)
-
-## SavedObjectsRepository.create() method
-
-Persists an object
-
-<b>Signature:</b>
-
-```typescript
-create<T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  attributes | <code>T</code> |  |
-|  options | <code>SavedObjectsCreateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
-{<!-- -->promise<!-- -->} - { id, type, version, attributes }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [create](./kibana-plugin-server.savedobjectsrepository.create.md)
+
+## SavedObjectsRepository.create() method
+
+Persists an object
+
+<b>Signature:</b>
+
+```typescript
+create<T extends SavedObjectAttributes>(type: string, attributes: T, options?: SavedObjectsCreateOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  attributes | <code>T</code> |  |
+|  options | <code>SavedObjectsCreateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
+{<!-- -->promise<!-- -->} - { id, type, version, attributes }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
index 52c36d2da162d..a53f9423ba7e1 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.delete.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [delete](./kibana-plugin-server.savedobjectsrepository.delete.md)
-
-## SavedObjectsRepository.delete() method
-
-Deletes an object
-
-<b>Signature:</b>
-
-```typescript
-delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{}>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [delete](./kibana-plugin-server.savedobjectsrepository.delete.md)
+
+## SavedObjectsRepository.delete() method
+
+Deletes an object
+
+<b>Signature:</b>
+
+```typescript
+delete(type: string, id: string, options?: SavedObjectsDeleteOptions): Promise<{}>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{}>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
index ab6eb30e664f1..364443a3444eb 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.deletebynamespace.md
@@ -1,27 +1,27 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [deleteByNamespace](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md)
-
-## SavedObjectsRepository.deleteByNamespace() method
-
-Deletes all objects from the provided namespace.
-
-<b>Signature:</b>
-
-```typescript
-deleteByNamespace(namespace: string, options?: SavedObjectsDeleteByNamespaceOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  namespace | <code>string</code> |  |
-|  options | <code>SavedObjectsDeleteByNamespaceOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
-{<!-- -->promise<!-- -->} - { took, timed\_out, total, deleted, batches, version\_conflicts, noops, retries, failures }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [deleteByNamespace](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md)
+
+## SavedObjectsRepository.deleteByNamespace() method
+
+Deletes all objects from the provided namespace.
+
+<b>Signature:</b>
+
+```typescript
+deleteByNamespace(namespace: string, options?: SavedObjectsDeleteByNamespaceOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  namespace | <code>string</code> |  |
+|  options | <code>SavedObjectsDeleteByNamespaceOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
+{<!-- -->promise<!-- -->} - { took, timed\_out, total, deleted, batches, version\_conflicts, noops, retries, failures }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
index 3c2855ed9a50c..dbf6d59e78d85 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.find.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [find](./kibana-plugin-server.savedobjectsrepository.find.md)
-
-## SavedObjectsRepository.find() method
-
-<b>Signature:</b>
-
-```typescript
-find<T extends SavedObjectAttributes = any>({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, }: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  { search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, } | <code>SavedObjectsFindOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsFindResponse<T>>`
-
-{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\], total, per\_page, page }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [find](./kibana-plugin-server.savedobjectsrepository.find.md)
+
+## SavedObjectsRepository.find() method
+
+<b>Signature:</b>
+
+```typescript
+find<T extends SavedObjectAttributes = any>({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, }: SavedObjectsFindOptions): Promise<SavedObjectsFindResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  { search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, } | <code>SavedObjectsFindOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsFindResponse<T>>`
+
+{<!-- -->promise<!-- -->} - { saved\_objects: \[{ id, type, version, attributes }<!-- -->\], total, per\_page, page }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
index dd1d81f225937..930a4647ca175 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.get.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [get](./kibana-plugin-server.savedobjectsrepository.get.md)
-
-## SavedObjectsRepository.get() method
-
-Gets a single object
-
-<b>Signature:</b>
-
-```typescript
-get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  options | <code>SavedObjectsBaseOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObject<T>>`
-
-{<!-- -->promise<!-- -->} - { id, type, version, attributes }
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [get](./kibana-plugin-server.savedobjectsrepository.get.md)
+
+## SavedObjectsRepository.get() method
+
+Gets a single object
+
+<b>Signature:</b>
+
+```typescript
+get<T extends SavedObjectAttributes = any>(type: string, id: string, options?: SavedObjectsBaseOptions): Promise<SavedObject<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  options | <code>SavedObjectsBaseOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObject<T>>`
+
+{<!-- -->promise<!-- -->} - { id, type, version, attributes }
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
index f20e9a73d99a1..6b30a05c1c918 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.incrementcounter.md
@@ -1,43 +1,43 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [incrementCounter](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md)
-
-## SavedObjectsRepository.incrementCounter() method
-
-Increases a counter field by one. Creates the document if one doesn't exist for the given id.
-
-<b>Signature:</b>
-
-```typescript
-incrementCounter(type: string, id: string, counterFieldName: string, options?: SavedObjectsIncrementCounterOptions): Promise<{
-        id: string;
-        type: string;
-        updated_at: string;
-        references: any;
-        version: string;
-        attributes: any;
-    }>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  counterFieldName | <code>string</code> |  |
-|  options | <code>SavedObjectsIncrementCounterOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<{
-        id: string;
-        type: string;
-        updated_at: string;
-        references: any;
-        version: string;
-        attributes: any;
-    }>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [incrementCounter](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md)
+
+## SavedObjectsRepository.incrementCounter() method
+
+Increases a counter field by one. Creates the document if one doesn't exist for the given id.
+
+<b>Signature:</b>
+
+```typescript
+incrementCounter(type: string, id: string, counterFieldName: string, options?: SavedObjectsIncrementCounterOptions): Promise<{
+        id: string;
+        type: string;
+        updated_at: string;
+        references: any;
+        version: string;
+        attributes: any;
+    }>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  counterFieldName | <code>string</code> |  |
+|  options | <code>SavedObjectsIncrementCounterOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<{
+        id: string;
+        type: string;
+        updated_at: string;
+        references: any;
+        version: string;
+        attributes: any;
+    }>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
index 681b2233a1e87..156a92047cc78 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.md
@@ -1,28 +1,28 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
-
-## SavedObjectsRepository class
-
-
-<b>Signature:</b>
-
-```typescript
-export declare class SavedObjectsRepository 
-```
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md) |  | Creates multiple documents at once |
-|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkget.md) |  | Returns an array of objects by id |
-|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md) |  | Updates multiple objects in bulk |
-|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsrepository.create.md) |  | Persists an object |
-|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsrepository.delete.md) |  | Deletes an object |
-|  [deleteByNamespace(namespace, options)](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md) |  | Deletes all objects from the provided namespace. |
-|  [find({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, })](./kibana-plugin-server.savedobjectsrepository.find.md) |  |  |
-|  [get(type, id, options)](./kibana-plugin-server.savedobjectsrepository.get.md) |  | Gets a single object |
-|  [incrementCounter(type, id, counterFieldName, options)](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md) |  | Increases a counter field by one. Creates the document if one doesn't exist for the given id. |
-|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsrepository.update.md) |  | Updates an object |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md)
+
+## SavedObjectsRepository class
+
+
+<b>Signature:</b>
+
+```typescript
+export declare class SavedObjectsRepository 
+```
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [bulkCreate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkcreate.md) |  | Creates multiple documents at once |
+|  [bulkGet(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkget.md) |  | Returns an array of objects by id |
+|  [bulkUpdate(objects, options)](./kibana-plugin-server.savedobjectsrepository.bulkupdate.md) |  | Updates multiple objects in bulk |
+|  [create(type, attributes, options)](./kibana-plugin-server.savedobjectsrepository.create.md) |  | Persists an object |
+|  [delete(type, id, options)](./kibana-plugin-server.savedobjectsrepository.delete.md) |  | Deletes an object |
+|  [deleteByNamespace(namespace, options)](./kibana-plugin-server.savedobjectsrepository.deletebynamespace.md) |  | Deletes all objects from the provided namespace. |
+|  [find({ search, defaultSearchOperator, searchFields, hasReference, page, perPage, sortField, sortOrder, fields, namespace, type, filter, })](./kibana-plugin-server.savedobjectsrepository.find.md) |  |  |
+|  [get(type, id, options)](./kibana-plugin-server.savedobjectsrepository.get.md) |  | Gets a single object |
+|  [incrementCounter(type, id, counterFieldName, options)](./kibana-plugin-server.savedobjectsrepository.incrementcounter.md) |  | Increases a counter field by one. Creates the document if one doesn't exist for the given id. |
+|  [update(type, id, attributes, options)](./kibana-plugin-server.savedobjectsrepository.update.md) |  | Updates an object |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
index 15890ab9211aa..5e9f69ecc567b 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepository.update.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [update](./kibana-plugin-server.savedobjectsrepository.update.md)
-
-## SavedObjectsRepository.update() method
-
-Updates an object
-
-<b>Signature:</b>
-
-```typescript
-update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  type | <code>string</code> |  |
-|  id | <code>string</code> |  |
-|  attributes | <code>Partial&lt;T&gt;</code> |  |
-|  options | <code>SavedObjectsUpdateOptions</code> |  |
-
-<b>Returns:</b>
-
-`Promise<SavedObjectsUpdateResponse<T>>`
-
-{<!-- -->promise<!-- -->}
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepository](./kibana-plugin-server.savedobjectsrepository.md) &gt; [update](./kibana-plugin-server.savedobjectsrepository.update.md)
+
+## SavedObjectsRepository.update() method
+
+Updates an object
+
+<b>Signature:</b>
+
+```typescript
+update<T extends SavedObjectAttributes = any>(type: string, id: string, attributes: Partial<T>, options?: SavedObjectsUpdateOptions): Promise<SavedObjectsUpdateResponse<T>>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  type | <code>string</code> |  |
+|  id | <code>string</code> |  |
+|  attributes | <code>Partial&lt;T&gt;</code> |  |
+|  options | <code>SavedObjectsUpdateOptions</code> |  |
+
+<b>Returns:</b>
+
+`Promise<SavedObjectsUpdateResponse<T>>`
+
+{<!-- -->promise<!-- -->}
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
index 9be1583c3e254..b808d38793fff 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md)
-
-## SavedObjectsRepositoryFactory.createInternalRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md)
+
+## SavedObjectsRepositoryFactory.createInternalRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
index 5dd9bb05f1fbe..20322d809dce7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md)
-
-## SavedObjectsRepositoryFactory.createScopedRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md)
+
+## SavedObjectsRepositoryFactory.createScopedRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
index 62bcb2d10363e..fc6c4a516284a 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsrepositoryfactory.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md)
-
-## SavedObjectsRepositoryFactory interface
-
-Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsRepositoryFactory 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
-|  [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsRepositoryFactory](./kibana-plugin-server.savedobjectsrepositoryfactory.md)
+
+## SavedObjectsRepositoryFactory interface
+
+Factory provided when invoking a [client factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) See [SavedObjectsServiceSetup.setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsRepositoryFactory 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [createInternalRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
+|  [createScopedRepository](./kibana-plugin-server.savedobjectsrepositoryfactory.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
index e3542714d96bb..8ed978d4a2639 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md
@@ -1,25 +1,25 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md)
-
-## SavedObjectsResolveImportErrorsOptions interface
-
-Options to control the "resolve import" operation.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsResolveImportErrorsOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md) | <code>string</code> |  |
-|  [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md) | <code>number</code> |  |
-|  [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md) | <code>Readable</code> |  |
-|  [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md) | <code>SavedObjectsImportRetry[]</code> |  |
-|  [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
-|  [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md) | <code>string[]</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md)
+
+## SavedObjectsResolveImportErrorsOptions interface
+
+Options to control the "resolve import" operation.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsResolveImportErrorsOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md) | <code>string</code> |  |
+|  [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md) | <code>number</code> |  |
+|  [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md) | <code>Readable</code> |  |
+|  [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md) | <code>SavedObjectsImportRetry[]</code> |  |
+|  [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md) | <code>SavedObjectsClientContract</code> |  |
+|  [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md) | <code>string[]</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
index 6175e75a4bbec..b88f124545bd5 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md)
-
-## SavedObjectsResolveImportErrorsOptions.namespace property
-
-<b>Signature:</b>
-
-```typescript
-namespace?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [namespace](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.namespace.md)
+
+## SavedObjectsResolveImportErrorsOptions.namespace property
+
+<b>Signature:</b>
+
+```typescript
+namespace?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
index d5616851e1386..a2753ceccc36f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md)
-
-## SavedObjectsResolveImportErrorsOptions.objectLimit property
-
-<b>Signature:</b>
-
-```typescript
-objectLimit: number;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [objectLimit](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.objectlimit.md)
+
+## SavedObjectsResolveImportErrorsOptions.objectLimit property
+
+<b>Signature:</b>
+
+```typescript
+objectLimit: number;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
index e4b5d92d7b05a..e7a31deed6faa 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md)
-
-## SavedObjectsResolveImportErrorsOptions.readStream property
-
-<b>Signature:</b>
-
-```typescript
-readStream: Readable;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [readStream](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.readstream.md)
+
+## SavedObjectsResolveImportErrorsOptions.readStream property
+
+<b>Signature:</b>
+
+```typescript
+readStream: Readable;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
index 7dc825f762fe9..658aa64cfc33f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md)
-
-## SavedObjectsResolveImportErrorsOptions.retries property
-
-<b>Signature:</b>
-
-```typescript
-retries: SavedObjectsImportRetry[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [retries](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.retries.md)
+
+## SavedObjectsResolveImportErrorsOptions.retries property
+
+<b>Signature:</b>
+
+```typescript
+retries: SavedObjectsImportRetry[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
index ae5edc98d3a9e..8a8c620b2cf21 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md)
-
-## SavedObjectsResolveImportErrorsOptions.savedObjectsClient property
-
-<b>Signature:</b>
-
-```typescript
-savedObjectsClient: SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [savedObjectsClient](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.savedobjectsclient.md)
+
+## SavedObjectsResolveImportErrorsOptions.savedObjectsClient property
+
+<b>Signature:</b>
+
+```typescript
+savedObjectsClient: SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
index 5a92a8d0a9936..9cc97c34669b7 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md)
-
-## SavedObjectsResolveImportErrorsOptions.supportedTypes property
-
-<b>Signature:</b>
-
-```typescript
-supportedTypes: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsResolveImportErrorsOptions](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.md) &gt; [supportedTypes](./kibana-plugin-server.savedobjectsresolveimporterrorsoptions.supportedtypes.md)
+
+## SavedObjectsResolveImportErrorsOptions.supportedTypes property
+
+<b>Signature:</b>
+
+```typescript
+supportedTypes: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
index 769be031eca06..becff5bd2821e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md)
-
-## SavedObjectsServiceSetup.addClientWrapper property
-
-Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority.
-
-<b>Signature:</b>
-
-```typescript
-addClientWrapper: (priority: number, id: string, factory: SavedObjectsClientWrapperFactory) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md)
+
+## SavedObjectsServiceSetup.addClientWrapper property
+
+Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority.
+
+<b>Signature:</b>
+
+```typescript
+addClientWrapper: (priority: number, id: string, factory: SavedObjectsClientWrapperFactory) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
index 2c421f7fc13a7..64fb1f4a5f638 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.md
@@ -1,33 +1,33 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
-
-## SavedObjectsServiceSetup interface
-
-Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsServiceSetup 
-```
-
-## Remarks
-
-Note: The Saved Object setup API's should only be used for creating and registering client wrappers. Constructing a Saved Objects client or repository for use within your own plugin won't have any of the registered wrappers applied and is considered an anti-pattern. Use the Saved Objects client from the [SavedObjectsServiceStart\#getScopedClient](./kibana-plugin-server.savedobjectsservicestart.md) method or the [route handler context](./kibana-plugin-server.requesthandlercontext.md) instead.
-
-When plugins access the Saved Objects client, a new client is created using the factory provided to `setClientFactory` and wrapped by all wrappers registered through `addClientWrapper`<!-- -->. To create a factory or wrapper, plugins will have to construct a Saved Objects client. First create a repository by calling `scopedRepository` or `internalRepository` and then use this repository as the argument to the [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) constructor.
-
-## Example
-
-import { SavedObjectsClient, CoreSetup } from 'src/core/server';
-
-export class Plugin() { setup: (core: CoreSetup) =<!-- -->&gt; { core.savedObjects.setClientFactory((<!-- -->{ request: KibanaRequest }<!-- -->) =<!-- -->&gt; { return new SavedObjectsClient(core.savedObjects.scopedRepository(request)); }<!-- -->) } }
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md) | <code>(priority: number, id: string, factory: SavedObjectsClientWrapperFactory) =&gt; void</code> | Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority. |
-|  [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) | <code>(clientFactoryProvider: SavedObjectsClientFactoryProvider) =&gt; void</code> | Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md)
+
+## SavedObjectsServiceSetup interface
+
+Saved Objects is Kibana's data persistence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceSetup API exposes methods for creating and registering Saved Object client wrappers.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsServiceSetup 
+```
+
+## Remarks
+
+Note: The Saved Object setup API's should only be used for creating and registering client wrappers. Constructing a Saved Objects client or repository for use within your own plugin won't have any of the registered wrappers applied and is considered an anti-pattern. Use the Saved Objects client from the [SavedObjectsServiceStart\#getScopedClient](./kibana-plugin-server.savedobjectsservicestart.md) method or the [route handler context](./kibana-plugin-server.requesthandlercontext.md) instead.
+
+When plugins access the Saved Objects client, a new client is created using the factory provided to `setClientFactory` and wrapped by all wrappers registered through `addClientWrapper`<!-- -->. To create a factory or wrapper, plugins will have to construct a Saved Objects client. First create a repository by calling `scopedRepository` or `internalRepository` and then use this repository as the argument to the [SavedObjectsClient](./kibana-plugin-server.savedobjectsclient.md) constructor.
+
+## Example
+
+import { SavedObjectsClient, CoreSetup } from 'src/core/server';
+
+export class Plugin() { setup: (core: CoreSetup) =<!-- -->&gt; { core.savedObjects.setClientFactory((<!-- -->{ request: KibanaRequest }<!-- -->) =<!-- -->&gt; { return new SavedObjectsClient(core.savedObjects.scopedRepository(request)); }<!-- -->) } }
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [addClientWrapper](./kibana-plugin-server.savedobjectsservicesetup.addclientwrapper.md) | <code>(priority: number, id: string, factory: SavedObjectsClientWrapperFactory) =&gt; void</code> | Add a [client wrapper factory](./kibana-plugin-server.savedobjectsclientwrapperfactory.md) with the given priority. |
+|  [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md) | <code>(clientFactoryProvider: SavedObjectsClientFactoryProvider) =&gt; void</code> | Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
index 5b57495198edc..ed11255048f19 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
-
-## SavedObjectsServiceSetup.setClientFactoryProvider property
-
-Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail.
-
-<b>Signature:</b>
-
-```typescript
-setClientFactoryProvider: (clientFactoryProvider: SavedObjectsClientFactoryProvider) => void;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceSetup](./kibana-plugin-server.savedobjectsservicesetup.md) &gt; [setClientFactoryProvider](./kibana-plugin-server.savedobjectsservicesetup.setclientfactoryprovider.md)
+
+## SavedObjectsServiceSetup.setClientFactoryProvider property
+
+Set the default [factory provider](./kibana-plugin-server.savedobjectsclientfactoryprovider.md) for creating Saved Objects clients. Only one provider can be set, subsequent calls to this method will fail.
+
+<b>Signature:</b>
+
+```typescript
+setClientFactoryProvider: (clientFactoryProvider: SavedObjectsClientFactoryProvider) => void;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
index c33e1750224d7..d639a8bc66b7e 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md)
-
-## SavedObjectsServiceStart.createInternalRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md)
+
+## SavedObjectsServiceStart.createInternalRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createInternalRepository: (extraTypes?: string[]) => ISavedObjectsRepository;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
index e562f7f4e7569..7683a9e46c51d 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md
@@ -1,18 +1,18 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md)
-
-## SavedObjectsServiceStart.createScopedRepository property
-
-Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
-
-<b>Signature:</b>
-
-```typescript
-createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
-```
-
-## Remarks
-
-Prefer using `getScopedClient`<!-- -->. This should only be used when using methods not exposed on [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md)
+
+## SavedObjectsServiceStart.createScopedRepository property
+
+Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch.
+
+<b>Signature:</b>
+
+```typescript
+createScopedRepository: (req: KibanaRequest, extraTypes?: string[]) => ISavedObjectsRepository;
+```
+
+## Remarks
+
+Prefer using `getScopedClient`<!-- -->. This should only be used when using methods not exposed on [SavedObjectsClientContract](./kibana-plugin-server.savedobjectsclientcontract.md)
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
index e87979a124bdc..341906856e342 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.getscopedclient.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md)
-
-## SavedObjectsServiceStart.getScopedClient property
-
-Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.
-
-A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-getScopedClient: (req: KibanaRequest, options?: SavedObjectsClientProviderOptions) => SavedObjectsClientContract;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md) &gt; [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md)
+
+## SavedObjectsServiceStart.getScopedClient property
+
+Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.
+
+A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+getScopedClient: (req: KibanaRequest, options?: SavedObjectsClientProviderOptions) => SavedObjectsClientContract;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
index 7e4b1fd9158e6..cf2b4f57a7461 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsservicestart.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
-
-## SavedObjectsServiceStart interface
-
-Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects.
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsServiceStart 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
-|  [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
-|  [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md) | <code>(req: KibanaRequest, options?: SavedObjectsClientProviderOptions) =&gt; SavedObjectsClientContract</code> | Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.<!-- -->A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsServiceStart](./kibana-plugin-server.savedobjectsservicestart.md)
+
+## SavedObjectsServiceStart interface
+
+Saved Objects is Kibana's data persisentence mechanism allowing plugins to use Elasticsearch for storing and querying state. The SavedObjectsServiceStart API provides a scoped Saved Objects client for interacting with Saved Objects.
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsServiceStart 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [createInternalRepository](./kibana-plugin-server.savedobjectsservicestart.createinternalrepository.md) | <code>(extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the internal Kibana user for authenticating with Elasticsearch. |
+|  [createScopedRepository](./kibana-plugin-server.savedobjectsservicestart.createscopedrepository.md) | <code>(req: KibanaRequest, extraTypes?: string[]) =&gt; ISavedObjectsRepository</code> | Creates a [Saved Objects repository](./kibana-plugin-server.isavedobjectsrepository.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. |
+|  [getScopedClient](./kibana-plugin-server.savedobjectsservicestart.getscopedclient.md) | <code>(req: KibanaRequest, options?: SavedObjectsClientProviderOptions) =&gt; SavedObjectsClientContract</code> | Creates a [Saved Objects client](./kibana-plugin-server.savedobjectsclientcontract.md) that uses the credentials from the passed in request to authenticate with Elasticsearch. If other plugins have registered Saved Objects client wrappers, these will be applied to extend the functionality of the client.<!-- -->A client that is already scoped to the incoming request is also exposed from the route handler context see [RequestHandlerContext](./kibana-plugin-server.requesthandlercontext.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
index 49e8946ad2826..8850bd1b6482f 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md)
-
-## SavedObjectsUpdateOptions interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateOptions extends SavedObjectsBaseOptions 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
-|  [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
-|  [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md)
+
+## SavedObjectsUpdateOptions interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateOptions extends SavedObjectsBaseOptions 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md) | <code>SavedObjectReference[]</code> | A reference to another saved object. |
+|  [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md) | <code>MutatingOperationRefreshSetting</code> | The Elasticsearch Refresh setting for this operation |
+|  [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md) | <code>string</code> | An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
index 76eca68dba37f..7a9ba971d05f6 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.references.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md)
-
-## SavedObjectsUpdateOptions.references property
-
-A reference to another saved object.
-
-<b>Signature:</b>
-
-```typescript
-references?: SavedObjectReference[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateoptions.references.md)
+
+## SavedObjectsUpdateOptions.references property
+
+A reference to another saved object.
+
+<b>Signature:</b>
+
+```typescript
+references?: SavedObjectReference[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
index bb1142c242012..faad283715901 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.refresh.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md)
-
-## SavedObjectsUpdateOptions.refresh property
-
-The Elasticsearch Refresh setting for this operation
-
-<b>Signature:</b>
-
-```typescript
-refresh?: MutatingOperationRefreshSetting;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [refresh](./kibana-plugin-server.savedobjectsupdateoptions.refresh.md)
+
+## SavedObjectsUpdateOptions.refresh property
+
+The Elasticsearch Refresh setting for this operation
+
+<b>Signature:</b>
+
+```typescript
+refresh?: MutatingOperationRefreshSetting;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
index 6e399b343556b..c9c37e0184cb9 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateoptions.version.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md)
-
-## SavedObjectsUpdateOptions.version property
-
-An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
-
-<b>Signature:</b>
-
-```typescript
-version?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateOptions](./kibana-plugin-server.savedobjectsupdateoptions.md) &gt; [version](./kibana-plugin-server.savedobjectsupdateoptions.version.md)
+
+## SavedObjectsUpdateOptions.version property
+
+An opaque version number which changes on each successful write operation. Can be used for implementing optimistic concurrency control.
+
+<b>Signature:</b>
+
+```typescript
+version?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
index 7d1edb3bb6594..961bb56e33557 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.attributes.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md)
-
-## SavedObjectsUpdateResponse.attributes property
-
-<b>Signature:</b>
-
-```typescript
-attributes: Partial<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md)
+
+## SavedObjectsUpdateResponse.attributes property
+
+<b>Signature:</b>
+
+```typescript
+attributes: Partial<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
index 0731ff5549bd4..64c9037735358 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md)
-
-## SavedObjectsUpdateResponse interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface SavedObjectsUpdateResponse<T extends SavedObjectAttributes = any> extends Omit<SavedObject<T>, 'attributes' | 'references'> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md) | <code>Partial&lt;T&gt;</code> |  |
-|  [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md) | <code>SavedObjectReference[] &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md)
+
+## SavedObjectsUpdateResponse interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface SavedObjectsUpdateResponse<T extends SavedObjectAttributes = any> extends Omit<SavedObject<T>, 'attributes' | 'references'> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [attributes](./kibana-plugin-server.savedobjectsupdateresponse.attributes.md) | <code>Partial&lt;T&gt;</code> |  |
+|  [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md) | <code>SavedObjectReference[] &#124; undefined</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
index 26e33694b943c..aa2aac98696e3 100644
--- a/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
+++ b/docs/development/core/server/kibana-plugin-server.savedobjectsupdateresponse.references.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md)
-
-## SavedObjectsUpdateResponse.references property
-
-<b>Signature:</b>
-
-```typescript
-references: SavedObjectReference[] | undefined;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SavedObjectsUpdateResponse](./kibana-plugin-server.savedobjectsupdateresponse.md) &gt; [references](./kibana-plugin-server.savedobjectsupdateresponse.references.md)
+
+## SavedObjectsUpdateResponse.references property
+
+<b>Signature:</b>
+
+```typescript
+references: SavedObjectReference[] | undefined;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.scopeablerequest.md b/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
index 5a9443376996d..d7d829e37d805 100644
--- a/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
+++ b/docs/development/core/server/kibana-plugin-server.scopeablerequest.md
@@ -1,15 +1,15 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md)
-
-## ScopeableRequest type
-
-A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.
-
-See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare type ScopeableRequest = KibanaRequest | LegacyRequest | FakeRequest;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopeableRequest](./kibana-plugin-server.scopeablerequest.md)
+
+## ScopeableRequest type
+
+A user credentials container. It accommodates the necessary auth credentials to impersonate the current user.
+
+See [KibanaRequest](./kibana-plugin-server.kibanarequest.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare type ScopeableRequest = KibanaRequest | LegacyRequest | FakeRequest;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
index c9f22356afc3c..e592772a60e1c 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient._constructor_.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [(constructor)](./kibana-plugin-server.scopedclusterclient._constructor_.md)
-
-## ScopedClusterClient.(constructor)
-
-Constructs a new instance of the `ScopedClusterClient` class
-
-<b>Signature:</b>
-
-```typescript
-constructor(internalAPICaller: APICaller, scopedAPICaller: APICaller, headers?: Headers | undefined);
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  internalAPICaller | <code>APICaller</code> |  |
-|  scopedAPICaller | <code>APICaller</code> |  |
-|  headers | <code>Headers &#124; undefined</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [(constructor)](./kibana-plugin-server.scopedclusterclient._constructor_.md)
+
+## ScopedClusterClient.(constructor)
+
+Constructs a new instance of the `ScopedClusterClient` class
+
+<b>Signature:</b>
+
+```typescript
+constructor(internalAPICaller: APICaller, scopedAPICaller: APICaller, headers?: Headers | undefined);
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  internalAPICaller | <code>APICaller</code> |  |
+|  scopedAPICaller | <code>APICaller</code> |  |
+|  headers | <code>Headers &#124; undefined</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
index 1f53270042185..5af2f7ca79ccb 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callascurrentuser.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsCurrentUser](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md)
-
-## ScopedClusterClient.callAsCurrentUser() method
-
-Calls specified `endpoint` with provided `clientParams` on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsCurrentUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
-|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
-|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsCurrentUser](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md)
+
+## ScopedClusterClient.callAsCurrentUser() method
+
+Calls specified `endpoint` with provided `clientParams` on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsCurrentUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
+|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
+|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
index 7249af7b429e4..89d343338e7b5 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.callasinternaluser.md
@@ -1,26 +1,26 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md)
-
-## ScopedClusterClient.callAsInternalUser() method
-
-Calls specified `endpoint` with provided `clientParams` on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-callAsInternalUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
-|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
-|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
-
-<b>Returns:</b>
-
-`Promise<any>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md) &gt; [callAsInternalUser](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md)
+
+## ScopedClusterClient.callAsInternalUser() method
+
+Calls specified `endpoint` with provided `clientParams` on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+callAsInternalUser(endpoint: string, clientParams?: Record<string, any>, options?: CallAPIOptions): Promise<any>;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  endpoint | <code>string</code> | String descriptor of the endpoint e.g. <code>cluster.getSettings</code> or <code>ping</code>. |
+|  clientParams | <code>Record&lt;string, any&gt;</code> | A dictionary of parameters that will be passed directly to the Elasticsearch JS client. |
+|  options | <code>CallAPIOptions</code> | Options that affect the way we call the API and process the result. |
+
+<b>Returns:</b>
+
+`Promise<any>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
index dcbf869bc9360..4c1854b61be85 100644
--- a/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
+++ b/docs/development/core/server/kibana-plugin-server.scopedclusterclient.md
@@ -1,29 +1,29 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)
-
-## ScopedClusterClient class
-
-Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
-
-See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-export declare class ScopedClusterClient implements IScopedClusterClient 
-```
-
-## Constructors
-
-|  Constructor | Modifiers | Description |
-|  --- | --- | --- |
-|  [(constructor)(internalAPICaller, scopedAPICaller, headers)](./kibana-plugin-server.scopedclusterclient._constructor_.md) |  | Constructs a new instance of the <code>ScopedClusterClient</code> class |
-
-## Methods
-
-|  Method | Modifiers | Description |
-|  --- | --- | --- |
-|  [callAsCurrentUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-|  [callAsInternalUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)
+
+## ScopedClusterClient class
+
+Serves the same purpose as "normal" `ClusterClient` but exposes additional `callAsCurrentUser` method that doesn't use credentials of the Kibana internal user (as `callAsInternalUser` does) to request Elasticsearch API, but rather passes HTTP headers extracted from the current user request to the API.
+
+See [ScopedClusterClient](./kibana-plugin-server.scopedclusterclient.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+export declare class ScopedClusterClient implements IScopedClusterClient 
+```
+
+## Constructors
+
+|  Constructor | Modifiers | Description |
+|  --- | --- | --- |
+|  [(constructor)(internalAPICaller, scopedAPICaller, headers)](./kibana-plugin-server.scopedclusterclient._constructor_.md) |  | Constructs a new instance of the <code>ScopedClusterClient</code> class |
+
+## Methods
+
+|  Method | Modifiers | Description |
+|  --- | --- | --- |
+|  [callAsCurrentUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callascurrentuser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the user initiated request to the Kibana server (via HTTP request headers). See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+|  [callAsInternalUser(endpoint, clientParams, options)](./kibana-plugin-server.scopedclusterclient.callasinternaluser.md) |  | Calls specified <code>endpoint</code> with provided <code>clientParams</code> on behalf of the Kibana internal user. See [APICaller](./kibana-plugin-server.apicaller.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
index 6e5f6acca2eb9..297bc4e5f3aee 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.isvalid.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md)
-
-## SessionCookieValidationResult.isValid property
-
-Whether the cookie is valid or not.
-
-<b>Signature:</b>
-
-```typescript
-isValid: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md)
+
+## SessionCookieValidationResult.isValid property
+
+Whether the cookie is valid or not.
+
+<b>Signature:</b>
+
+```typescript
+isValid: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
index 6d32c4cca3dd6..4dbeb5603c155 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md)
-
-## SessionCookieValidationResult interface
-
-Return type from a function to validate cookie contents.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionCookieValidationResult 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md) | <code>boolean</code> | Whether the cookie is valid or not. |
-|  [path](./kibana-plugin-server.sessioncookievalidationresult.path.md) | <code>string</code> | The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md)
+
+## SessionCookieValidationResult interface
+
+Return type from a function to validate cookie contents.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionCookieValidationResult 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isValid](./kibana-plugin-server.sessioncookievalidationresult.isvalid.md) | <code>boolean</code> | Whether the cookie is valid or not. |
+|  [path](./kibana-plugin-server.sessioncookievalidationresult.path.md) | <code>string</code> | The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
index 8ca6d452213aa..bab8444849786 100644
--- a/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
+++ b/docs/development/core/server/kibana-plugin-server.sessioncookievalidationresult.path.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [path](./kibana-plugin-server.sessioncookievalidationresult.path.md)
-
-## SessionCookieValidationResult.path property
-
-The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it.
-
-<b>Signature:</b>
-
-```typescript
-path?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionCookieValidationResult](./kibana-plugin-server.sessioncookievalidationresult.md) &gt; [path](./kibana-plugin-server.sessioncookievalidationresult.path.md)
+
+## SessionCookieValidationResult.path property
+
+The "Path" attribute of the cookie; if the cookie is invalid, this is used to clear it.
+
+<b>Signature:</b>
+
+```typescript
+path?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
index 1f5813e181548..cfb92812af94f 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.clear.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [clear](./kibana-plugin-server.sessionstorage.clear.md)
-
-## SessionStorage.clear() method
-
-Clears current session.
-
-<b>Signature:</b>
-
-```typescript
-clear(): void;
-```
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [clear](./kibana-plugin-server.sessionstorage.clear.md)
+
+## SessionStorage.clear() method
+
+Clears current session.
+
+<b>Signature:</b>
+
+```typescript
+clear(): void;
+```
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
index 26c63884ee71a..d3459de75638d 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.get.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [get](./kibana-plugin-server.sessionstorage.get.md)
-
-## SessionStorage.get() method
-
-Retrieves session value from the session storage.
-
-<b>Signature:</b>
-
-```typescript
-get(): Promise<T | null>;
-```
-<b>Returns:</b>
-
-`Promise<T | null>`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [get](./kibana-plugin-server.sessionstorage.get.md)
+
+## SessionStorage.get() method
+
+Retrieves session value from the session storage.
+
+<b>Signature:</b>
+
+```typescript
+get(): Promise<T | null>;
+```
+<b>Returns:</b>
+
+`Promise<T | null>`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.md
index 02e48c1dd3dc4..e721357032436 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.md
@@ -1,22 +1,22 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md)
-
-## SessionStorage interface
-
-Provides an interface to store and retrieve data across requests.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorage<T> 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [clear()](./kibana-plugin-server.sessionstorage.clear.md) | Clears current session. |
-|  [get()](./kibana-plugin-server.sessionstorage.get.md) | Retrieves session value from the session storage. |
-|  [set(sessionValue)](./kibana-plugin-server.sessionstorage.set.md) | Puts current session value into the session storage. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md)
+
+## SessionStorage interface
+
+Provides an interface to store and retrieve data across requests.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorage<T> 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [clear()](./kibana-plugin-server.sessionstorage.clear.md) | Clears current session. |
+|  [get()](./kibana-plugin-server.sessionstorage.get.md) | Retrieves session value from the session storage. |
+|  [set(sessionValue)](./kibana-plugin-server.sessionstorage.set.md) | Puts current session value into the session storage. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md b/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
index 7e3a2a4361244..40d1c373d2a71 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstorage.set.md
@@ -1,24 +1,24 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [set](./kibana-plugin-server.sessionstorage.set.md)
-
-## SessionStorage.set() method
-
-Puts current session value into the session storage.
-
-<b>Signature:</b>
-
-```typescript
-set(sessionValue: T): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  sessionValue | <code>T</code> | value to put |
-
-<b>Returns:</b>
-
-`void`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorage](./kibana-plugin-server.sessionstorage.md) &gt; [set](./kibana-plugin-server.sessionstorage.set.md)
+
+## SessionStorage.set() method
+
+Puts current session value into the session storage.
+
+<b>Signature:</b>
+
+```typescript
+set(sessionValue: T): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  sessionValue | <code>T</code> | value to put |
+
+<b>Returns:</b>
+
+`void`
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
index ef65735e7bdba..ddaa0adff3570 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md)
-
-## SessionStorageCookieOptions.encryptionKey property
-
-A key used to encrypt a cookie's value. Should be at least 32 characters long.
-
-<b>Signature:</b>
-
-```typescript
-encryptionKey: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md)
+
+## SessionStorageCookieOptions.encryptionKey property
+
+A key used to encrypt a cookie's value. Should be at least 32 characters long.
+
+<b>Signature:</b>
+
+```typescript
+encryptionKey: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
index 824fc9d136a3f..7153bc0730926 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.issecure.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md)
-
-## SessionStorageCookieOptions.isSecure property
-
-Flag indicating whether the cookie should be sent only via a secure connection.
-
-<b>Signature:</b>
-
-```typescript
-isSecure: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md)
+
+## SessionStorageCookieOptions.isSecure property
+
+Flag indicating whether the cookie should be sent only via a secure connection.
+
+<b>Signature:</b>
+
+```typescript
+isSecure: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
index 778dc27a190d9..6b058864a4d9c 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.md
@@ -1,23 +1,23 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md)
-
-## SessionStorageCookieOptions interface
-
-Configuration used to create HTTP session storage based on top of cookie mechanism.
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorageCookieOptions<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md) | <code>string</code> | A key used to encrypt a cookie's value. Should be at least 32 characters long. |
-|  [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md) | <code>boolean</code> | Flag indicating whether the cookie should be sent only via a secure connection. |
-|  [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md) | <code>string</code> | Name of the session cookie. |
-|  [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md) | <code>(sessionValue: T &#124; T[]) =&gt; SessionCookieValidationResult</code> | Function called to validate a cookie's decrypted value. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md)
+
+## SessionStorageCookieOptions interface
+
+Configuration used to create HTTP session storage based on top of cookie mechanism.
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorageCookieOptions<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [encryptionKey](./kibana-plugin-server.sessionstoragecookieoptions.encryptionkey.md) | <code>string</code> | A key used to encrypt a cookie's value. Should be at least 32 characters long. |
+|  [isSecure](./kibana-plugin-server.sessionstoragecookieoptions.issecure.md) | <code>boolean</code> | Flag indicating whether the cookie should be sent only via a secure connection. |
+|  [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md) | <code>string</code> | Name of the session cookie. |
+|  [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md) | <code>(sessionValue: T &#124; T[]) =&gt; SessionCookieValidationResult</code> | Function called to validate a cookie's decrypted value. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
index e6bc7ea3fe00f..673f3c4f2d422 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md)
-
-## SessionStorageCookieOptions.name property
-
-Name of the session cookie.
-
-<b>Signature:</b>
-
-```typescript
-name: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [name](./kibana-plugin-server.sessionstoragecookieoptions.name.md)
+
+## SessionStorageCookieOptions.name property
+
+Name of the session cookie.
+
+<b>Signature:</b>
+
+```typescript
+name: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
index effa4b6bbc077..e59f4d910305e 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragecookieoptions.validate.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md)
-
-## SessionStorageCookieOptions.validate property
-
-Function called to validate a cookie's decrypted value.
-
-<b>Signature:</b>
-
-```typescript
-validate: (sessionValue: T | T[]) => SessionCookieValidationResult;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageCookieOptions](./kibana-plugin-server.sessionstoragecookieoptions.md) &gt; [validate](./kibana-plugin-server.sessionstoragecookieoptions.validate.md)
+
+## SessionStorageCookieOptions.validate property
+
+Function called to validate a cookie's decrypted value.
+
+<b>Signature:</b>
+
+```typescript
+validate: (sessionValue: T | T[]) => SessionCookieValidationResult;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
index fcc5b90e2dd0c..4a42a52e56bd0 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.asscoped.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) &gt; [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md)
-
-## SessionStorageFactory.asScoped property
-
-<b>Signature:</b>
-
-```typescript
-asScoped: (request: KibanaRequest) => SessionStorage<T>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md) &gt; [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md)
+
+## SessionStorageFactory.asScoped property
+
+<b>Signature:</b>
+
+```typescript
+asScoped: (request: KibanaRequest) => SessionStorage<T>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
index eb559005575b1..a5b4ebdf5b8cd 100644
--- a/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
+++ b/docs/development/core/server/kibana-plugin-server.sessionstoragefactory.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
-
-## SessionStorageFactory interface
-
-SessionStorage factory to bind one to an incoming request
-
-<b>Signature:</b>
-
-```typescript
-export interface SessionStorageFactory<T> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md) | <code>(request: KibanaRequest) =&gt; SessionStorage&lt;T&gt;</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SessionStorageFactory](./kibana-plugin-server.sessionstoragefactory.md)
+
+## SessionStorageFactory interface
+
+SessionStorage factory to bind one to an incoming request
+
+<b>Signature:</b>
+
+```typescript
+export interface SessionStorageFactory<T> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [asScoped](./kibana-plugin-server.sessionstoragefactory.asscoped.md) | <code>(request: KibanaRequest) =&gt; SessionStorage&lt;T&gt;</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md b/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
index 418d406d4c890..f5329824ad7f6 100644
--- a/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
+++ b/docs/development/core/server/kibana-plugin-server.sharedglobalconfig.md
@@ -1,16 +1,16 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md)
-
-## SharedGlobalConfig type
-
-
-<b>Signature:</b>
-
-```typescript
-export declare type SharedGlobalConfig = RecursiveReadonly<{
-    kibana: Pick<KibanaConfigType, typeof SharedGlobalConfigKeys.kibana[number]>;
-    elasticsearch: Pick<ElasticsearchConfigType, typeof SharedGlobalConfigKeys.elasticsearch[number]>;
-    path: Pick<PathConfigType, typeof SharedGlobalConfigKeys.path[number]>;
-}>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [SharedGlobalConfig](./kibana-plugin-server.sharedglobalconfig.md)
+
+## SharedGlobalConfig type
+
+
+<b>Signature:</b>
+
+```typescript
+export declare type SharedGlobalConfig = RecursiveReadonly<{
+    kibana: Pick<KibanaConfigType, typeof SharedGlobalConfigKeys.kibana[number]>;
+    elasticsearch: Pick<ElasticsearchConfigType, typeof SharedGlobalConfigKeys.elasticsearch[number]>;
+    path: Pick<PathConfigType, typeof SharedGlobalConfigKeys.path[number]>;
+}>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidation.md b/docs/development/core/server/kibana-plugin-server.stringvalidation.md
index 0e396f2972c44..7da69b141d82c 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidation.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidation](./kibana-plugin-server.stringvalidation.md)
-
-## StringValidation type
-
-Allows regex objects or a regex string
-
-<b>Signature:</b>
-
-```typescript
-export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidation](./kibana-plugin-server.stringvalidation.md)
+
+## StringValidation type
+
+Allows regex objects or a regex string
+
+<b>Signature:</b>
+
+```typescript
+export declare type StringValidation = StringValidationRegex | StringValidationRegexString;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
index 46d196ea8e03f..b082978c4ee65 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md)
-
-## StringValidationRegex interface
-
-StringValidation with regex object
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegex 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.stringvalidationregex.message.md) | <code>string</code> |  |
-|  [regex](./kibana-plugin-server.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md)
+
+## StringValidationRegex interface
+
+StringValidation with regex object
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegex 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.stringvalidationregex.message.md) | <code>string</code> |  |
+|  [regex](./kibana-plugin-server.stringvalidationregex.regex.md) | <code>RegExp</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
index 383b1f6d8873c..66197813b2be4 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [message](./kibana-plugin-server.stringvalidationregex.message.md)
-
-## StringValidationRegex.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [message](./kibana-plugin-server.stringvalidationregex.message.md)
+
+## StringValidationRegex.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
index 69a96a0489503..4e295791454f9 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregex.regex.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [regex](./kibana-plugin-server.stringvalidationregex.regex.md)
-
-## StringValidationRegex.regex property
-
-<b>Signature:</b>
-
-```typescript
-regex: RegExp;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegex](./kibana-plugin-server.stringvalidationregex.md) &gt; [regex](./kibana-plugin-server.stringvalidationregex.regex.md)
+
+## StringValidationRegex.regex property
+
+<b>Signature:</b>
+
+```typescript
+regex: RegExp;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
index d76cb94fdd1a1..6bd23b999a7c3 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md)
-
-## StringValidationRegexString interface
-
-StringValidation as regex string
-
-<b>Signature:</b>
-
-```typescript
-export interface StringValidationRegexString 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [message](./kibana-plugin-server.stringvalidationregexstring.message.md) | <code>string</code> |  |
-|  [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md)
+
+## StringValidationRegexString interface
+
+StringValidation as regex string
+
+<b>Signature:</b>
+
+```typescript
+export interface StringValidationRegexString 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [message](./kibana-plugin-server.stringvalidationregexstring.message.md) | <code>string</code> |  |
+|  [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md) | <code>string</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
index 361dfe788b852..96d1f1980eff9 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.message.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-server.stringvalidationregexstring.message.md)
-
-## StringValidationRegexString.message property
-
-<b>Signature:</b>
-
-```typescript
-message: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [message](./kibana-plugin-server.stringvalidationregexstring.message.md)
+
+## StringValidationRegexString.message property
+
+<b>Signature:</b>
+
+```typescript
+message: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
index 203cc7e7a0aad..61a0d53dcc511 100644
--- a/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
+++ b/docs/development/core/server/kibana-plugin-server.stringvalidationregexstring.regexstring.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md)
-
-## StringValidationRegexString.regexString property
-
-<b>Signature:</b>
-
-```typescript
-regexString: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [StringValidationRegexString](./kibana-plugin-server.stringvalidationregexstring.md) &gt; [regexString](./kibana-plugin-server.stringvalidationregexstring.regexstring.md)
+
+## StringValidationRegexString.regexString property
+
+<b>Signature:</b>
+
+```typescript
+regexString: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
index 6bf1b17dc947a..3754bc01103d6 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.category.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [category](./kibana-plugin-server.uisettingsparams.category.md)
-
-## UiSettingsParams.category property
-
-used to group the configured setting in the UI
-
-<b>Signature:</b>
-
-```typescript
-category?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [category](./kibana-plugin-server.uisettingsparams.category.md)
+
+## UiSettingsParams.category property
+
+used to group the configured setting in the UI
+
+<b>Signature:</b>
+
+```typescript
+category?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
index 7ad26b85bf81c..4581f09864226 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.deprecation.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md)
-
-## UiSettingsParams.deprecation property
-
-optional deprecation information. Used to generate a deprecation warning.
-
-<b>Signature:</b>
-
-```typescript
-deprecation?: DeprecationSettings;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md)
+
+## UiSettingsParams.deprecation property
+
+optional deprecation information. Used to generate a deprecation warning.
+
+<b>Signature:</b>
+
+```typescript
+deprecation?: DeprecationSettings;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
index 6a203629f5425..783c8ddde1d5e 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.description.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [description](./kibana-plugin-server.uisettingsparams.description.md)
-
-## UiSettingsParams.description property
-
-description provided to a user in UI
-
-<b>Signature:</b>
-
-```typescript
-description?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [description](./kibana-plugin-server.uisettingsparams.description.md)
+
+## UiSettingsParams.description property
+
+description provided to a user in UI
+
+<b>Signature:</b>
+
+```typescript
+description?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
index fc2f8038f973f..3e20f4744ee51 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.md
@@ -1,30 +1,30 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
-
-## UiSettingsParams interface
-
-UiSettings parameters defined by the plugins.
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsParams 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [category](./kibana-plugin-server.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
-|  [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
-|  [description](./kibana-plugin-server.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
-|  [name](./kibana-plugin-server.uisettingsparams.name.md) | <code>string</code> | title in the UI |
-|  [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
-|  [options](./kibana-plugin-server.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
-|  [readonly](./kibana-plugin-server.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
-|  [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
-|  [type](./kibana-plugin-server.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md) |
-|  [validation](./kibana-plugin-server.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
-|  [value](./kibana-plugin-server.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md)
+
+## UiSettingsParams interface
+
+UiSettings parameters defined by the plugins.
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsParams 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [category](./kibana-plugin-server.uisettingsparams.category.md) | <code>string[]</code> | used to group the configured setting in the UI |
+|  [deprecation](./kibana-plugin-server.uisettingsparams.deprecation.md) | <code>DeprecationSettings</code> | optional deprecation information. Used to generate a deprecation warning. |
+|  [description](./kibana-plugin-server.uisettingsparams.description.md) | <code>string</code> | description provided to a user in UI |
+|  [name](./kibana-plugin-server.uisettingsparams.name.md) | <code>string</code> | title in the UI |
+|  [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md) | <code>Record&lt;string, string&gt;</code> | text labels for 'select' type UI element |
+|  [options](./kibana-plugin-server.uisettingsparams.options.md) | <code>string[]</code> | array of permitted values for this setting |
+|  [readonly](./kibana-plugin-server.uisettingsparams.readonly.md) | <code>boolean</code> | a flag indicating that value cannot be changed |
+|  [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md) | <code>boolean</code> | a flag indicating whether new value applying requires page reloading |
+|  [type](./kibana-plugin-server.uisettingsparams.type.md) | <code>UiSettingsType</code> | defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md) |
+|  [validation](./kibana-plugin-server.uisettingsparams.validation.md) | <code>ImageValidation &#124; StringValidation</code> |  |
+|  [value](./kibana-plugin-server.uisettingsparams.value.md) | <code>SavedObjectAttribute</code> | default value to fall back to if a user doesn't provide any |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
index 07905ca7de20a..f445d970fe0b2 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.name.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [name](./kibana-plugin-server.uisettingsparams.name.md)
-
-## UiSettingsParams.name property
-
-title in the UI
-
-<b>Signature:</b>
-
-```typescript
-name?: string;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [name](./kibana-plugin-server.uisettingsparams.name.md)
+
+## UiSettingsParams.name property
+
+title in the UI
+
+<b>Signature:</b>
+
+```typescript
+name?: string;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
index cb0e196fdcacc..7f970cfd474fc 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.optionlabels.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md)
-
-## UiSettingsParams.optionLabels property
-
-text labels for 'select' type UI element
-
-<b>Signature:</b>
-
-```typescript
-optionLabels?: Record<string, string>;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [optionLabels](./kibana-plugin-server.uisettingsparams.optionlabels.md)
+
+## UiSettingsParams.optionLabels property
+
+text labels for 'select' type UI element
+
+<b>Signature:</b>
+
+```typescript
+optionLabels?: Record<string, string>;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
index 2220feab74ffd..d25043623a6da 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.options.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [options](./kibana-plugin-server.uisettingsparams.options.md)
-
-## UiSettingsParams.options property
-
-array of permitted values for this setting
-
-<b>Signature:</b>
-
-```typescript
-options?: string[];
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [options](./kibana-plugin-server.uisettingsparams.options.md)
+
+## UiSettingsParams.options property
+
+array of permitted values for this setting
+
+<b>Signature:</b>
+
+```typescript
+options?: string[];
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
index faec4d6eadbcc..276b965ec128a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.readonly.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [readonly](./kibana-plugin-server.uisettingsparams.readonly.md)
-
-## UiSettingsParams.readonly property
-
-a flag indicating that value cannot be changed
-
-<b>Signature:</b>
-
-```typescript
-readonly?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [readonly](./kibana-plugin-server.uisettingsparams.readonly.md)
+
+## UiSettingsParams.readonly property
+
+a flag indicating that value cannot be changed
+
+<b>Signature:</b>
+
+```typescript
+readonly?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
index 224b3695224b9..7d6ce9ef8b233 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.requirespagereload.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md)
-
-## UiSettingsParams.requiresPageReload property
-
-a flag indicating whether new value applying requires page reloading
-
-<b>Signature:</b>
-
-```typescript
-requiresPageReload?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [requiresPageReload](./kibana-plugin-server.uisettingsparams.requirespagereload.md)
+
+## UiSettingsParams.requiresPageReload property
+
+a flag indicating whether new value applying requires page reloading
+
+<b>Signature:</b>
+
+```typescript
+requiresPageReload?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
index ccf2d67b2dffb..b66483cf4624a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.type.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [type](./kibana-plugin-server.uisettingsparams.type.md)
-
-## UiSettingsParams.type property
-
-defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
-
-<b>Signature:</b>
-
-```typescript
-type?: UiSettingsType;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [type](./kibana-plugin-server.uisettingsparams.type.md)
+
+## UiSettingsParams.type property
+
+defines a type of UI element [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
+
+<b>Signature:</b>
+
+```typescript
+type?: UiSettingsType;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
index f097f36e999ba..ee0a9d6c86540 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.validation.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [validation](./kibana-plugin-server.uisettingsparams.validation.md)
-
-## UiSettingsParams.validation property
-
-<b>Signature:</b>
-
-```typescript
-validation?: ImageValidation | StringValidation;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [validation](./kibana-plugin-server.uisettingsparams.validation.md)
+
+## UiSettingsParams.validation property
+
+<b>Signature:</b>
+
+```typescript
+validation?: ImageValidation | StringValidation;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md b/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
index 397498ccf5c11..256d72b2cbf2f 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsparams.value.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [value](./kibana-plugin-server.uisettingsparams.value.md)
-
-## UiSettingsParams.value property
-
-default value to fall back to if a user doesn't provide any
-
-<b>Signature:</b>
-
-```typescript
-value?: SavedObjectAttribute;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsParams](./kibana-plugin-server.uisettingsparams.md) &gt; [value](./kibana-plugin-server.uisettingsparams.value.md)
+
+## UiSettingsParams.value property
+
+default value to fall back to if a user doesn't provide any
+
+<b>Signature:</b>
+
+```typescript
+value?: SavedObjectAttribute;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
index 8dde78f633d88..78f5c2a7dd03a 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
-
-## UiSettingsServiceSetup interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsServiceSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [register(settings)](./kibana-plugin-server.uisettingsservicesetup.register.md) | Sets settings with default values for the uiSettings. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md)
+
+## UiSettingsServiceSetup interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsServiceSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [register(settings)](./kibana-plugin-server.uisettingsservicesetup.register.md) | Sets settings with default values for the uiSettings. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
index 0047b5275408e..366888ed2ce18 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicesetup.register.md
@@ -1,40 +1,40 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) &gt; [register](./kibana-plugin-server.uisettingsservicesetup.register.md)
-
-## UiSettingsServiceSetup.register() method
-
-Sets settings with default values for the uiSettings.
-
-<b>Signature:</b>
-
-```typescript
-register(settings: Record<string, UiSettingsParams>): void;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  settings | <code>Record&lt;string, UiSettingsParams&gt;</code> |  |
-
-<b>Returns:</b>
-
-`void`
-
-## Example
-
-
-```ts
-setup(core: CoreSetup){
- core.uiSettings.register([{
-  foo: {
-   name: i18n.translate('my foo settings'),
-   value: true,
-   description: 'add some awesomeness',
-  },
- }]);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceSetup](./kibana-plugin-server.uisettingsservicesetup.md) &gt; [register](./kibana-plugin-server.uisettingsservicesetup.register.md)
+
+## UiSettingsServiceSetup.register() method
+
+Sets settings with default values for the uiSettings.
+
+<b>Signature:</b>
+
+```typescript
+register(settings: Record<string, UiSettingsParams>): void;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  settings | <code>Record&lt;string, UiSettingsParams&gt;</code> |  |
+
+<b>Returns:</b>
+
+`void`
+
+## Example
+
+
+```ts
+setup(core: CoreSetup){
+ core.uiSettings.register([{
+  foo: {
+   name: i18n.translate('my foo settings'),
+   value: true,
+   description: 'add some awesomeness',
+  },
+ }]);
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
index 072dd39faa084..9e202d15a1beb 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md
@@ -1,37 +1,37 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) &gt; [asScopedToClient](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md)
-
-## UiSettingsServiceStart.asScopedToClient() method
-
-Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.
-
-This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->.
-
-<b>Signature:</b>
-
-```typescript
-asScopedToClient(savedObjectsClient: SavedObjectsClientContract): IUiSettingsClient;
-```
-
-## Parameters
-
-|  Parameter | Type | Description |
-|  --- | --- | --- |
-|  savedObjectsClient | <code>SavedObjectsClientContract</code> |  |
-
-<b>Returns:</b>
-
-`IUiSettingsClient`
-
-## Example
-
-
-```ts
-start(core: CoreStart) {
- const soClient = core.savedObjects.getScopedClient(arbitraryRequest);
- const uiSettingsClient = core.uiSettings.asScopedToClient(soClient);
-}
-
-```
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md) &gt; [asScopedToClient](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md)
+
+## UiSettingsServiceStart.asScopedToClient() method
+
+Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.
+
+This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->.
+
+<b>Signature:</b>
+
+```typescript
+asScopedToClient(savedObjectsClient: SavedObjectsClientContract): IUiSettingsClient;
+```
+
+## Parameters
+
+|  Parameter | Type | Description |
+|  --- | --- | --- |
+|  savedObjectsClient | <code>SavedObjectsClientContract</code> |  |
+
+<b>Returns:</b>
+
+`IUiSettingsClient`
+
+## Example
+
+
+```ts
+start(core: CoreStart) {
+ const soClient = core.savedObjects.getScopedClient(arbitraryRequest);
+ const uiSettingsClient = core.uiSettings.asScopedToClient(soClient);
+}
+
+```
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
index ee3563552275a..e4375303a1b3d 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingsservicestart.md
@@ -1,19 +1,19 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
-
-## UiSettingsServiceStart interface
-
-
-<b>Signature:</b>
-
-```typescript
-export interface UiSettingsServiceStart 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [asScopedToClient(savedObjectsClient)](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md) | Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.<!-- -->This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsServiceStart](./kibana-plugin-server.uisettingsservicestart.md)
+
+## UiSettingsServiceStart interface
+
+
+<b>Signature:</b>
+
+```typescript
+export interface UiSettingsServiceStart 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [asScopedToClient(savedObjectsClient)](./kibana-plugin-server.uisettingsservicestart.asscopedtoclient.md) | Creates a [IUiSettingsClient](./kibana-plugin-server.iuisettingsclient.md) with provided \*scoped\* saved objects client.<!-- -->This should only be used in the specific case where the client needs to be accessed from outside of the scope of a [RequestHandler](./kibana-plugin-server.requesthandler.md)<!-- -->. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.uisettingstype.md b/docs/development/core/server/kibana-plugin-server.uisettingstype.md
index b78932aecc724..09fb43e974d9b 100644
--- a/docs/development/core/server/kibana-plugin-server.uisettingstype.md
+++ b/docs/development/core/server/kibana-plugin-server.uisettingstype.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
-
-## UiSettingsType type
-
-UI element type to represent the settings.
-
-<b>Signature:</b>
-
-```typescript
-export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UiSettingsType](./kibana-plugin-server.uisettingstype.md)
+
+## UiSettingsType type
+
+UI element type to represent the settings.
+
+<b>Signature:</b>
+
+```typescript
+export declare type UiSettingsType = 'undefined' | 'json' | 'markdown' | 'number' | 'select' | 'boolean' | 'string' | 'array' | 'image';
+```
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
index 01e04b490595d..304999f911fa4 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.isoverridden.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md)
-
-## UserProvidedValues.isOverridden property
-
-<b>Signature:</b>
-
-```typescript
-isOverridden?: boolean;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md)
+
+## UserProvidedValues.isOverridden property
+
+<b>Signature:</b>
+
+```typescript
+isOverridden?: boolean;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
index e0f5f7fadd12f..e00672070bba8 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.md
@@ -1,21 +1,21 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md)
-
-## UserProvidedValues interface
-
-Describes the values explicitly set by user.
-
-<b>Signature:</b>
-
-```typescript
-export interface UserProvidedValues<T = any> 
-```
-
-## Properties
-
-|  Property | Type | Description |
-|  --- | --- | --- |
-|  [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
-|  [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md) | <code>T</code> |  |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md)
+
+## UserProvidedValues interface
+
+Describes the values explicitly set by user.
+
+<b>Signature:</b>
+
+```typescript
+export interface UserProvidedValues<T = any> 
+```
+
+## Properties
+
+|  Property | Type | Description |
+|  --- | --- | --- |
+|  [isOverridden](./kibana-plugin-server.userprovidedvalues.isoverridden.md) | <code>boolean</code> |  |
+|  [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md) | <code>T</code> |  |
+
diff --git a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
index 59d25651b7697..c45efa9296831 100644
--- a/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
+++ b/docs/development/core/server/kibana-plugin-server.userprovidedvalues.uservalue.md
@@ -1,11 +1,11 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md)
-
-## UserProvidedValues.userValue property
-
-<b>Signature:</b>
-
-```typescript
-userValue?: T;
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UserProvidedValues](./kibana-plugin-server.userprovidedvalues.md) &gt; [userValue](./kibana-plugin-server.userprovidedvalues.uservalue.md)
+
+## UserProvidedValues.userValue property
+
+<b>Signature:</b>
+
+```typescript
+userValue?: T;
+```
diff --git a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
index e0b7012bea4aa..c937b49f08e74 100644
--- a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
+++ b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.getinstanceuuid.md
@@ -1,17 +1,17 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) &gt; [getInstanceUuid](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md)
-
-## UuidServiceSetup.getInstanceUuid() method
-
-Retrieve the Kibana instance uuid.
-
-<b>Signature:</b>
-
-```typescript
-getInstanceUuid(): string;
-```
-<b>Returns:</b>
-
-`string`
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md) &gt; [getInstanceUuid](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md)
+
+## UuidServiceSetup.getInstanceUuid() method
+
+Retrieve the Kibana instance uuid.
+
+<b>Signature:</b>
+
+```typescript
+getInstanceUuid(): string;
+```
+<b>Returns:</b>
+
+`string`
+
diff --git a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
index f2a6cfdeac704..fa319779e01d5 100644
--- a/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
+++ b/docs/development/core/server/kibana-plugin-server.uuidservicesetup.md
@@ -1,20 +1,20 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
-
-## UuidServiceSetup interface
-
-APIs to access the application's instance uuid.
-
-<b>Signature:</b>
-
-```typescript
-export interface UuidServiceSetup 
-```
-
-## Methods
-
-|  Method | Description |
-|  --- | --- |
-|  [getInstanceUuid()](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md) | Retrieve the Kibana instance uuid. |
-
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [UuidServiceSetup](./kibana-plugin-server.uuidservicesetup.md)
+
+## UuidServiceSetup interface
+
+APIs to access the application's instance uuid.
+
+<b>Signature:</b>
+
+```typescript
+export interface UuidServiceSetup 
+```
+
+## Methods
+
+|  Method | Description |
+|  --- | --- |
+|  [getInstanceUuid()](./kibana-plugin-server.uuidservicesetup.getinstanceuuid.md) | Retrieve the Kibana instance uuid. |
+
diff --git a/docs/development/core/server/kibana-plugin-server.validbodyoutput.md b/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
index ea866abf887fb..2230fcc988d76 100644
--- a/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
+++ b/docs/development/core/server/kibana-plugin-server.validbodyoutput.md
@@ -1,13 +1,13 @@
-<!-- Do not edit this file. It is automatically generated by API Documenter. -->
-
-[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [validBodyOutput](./kibana-plugin-server.validbodyoutput.md)
-
-## validBodyOutput variable
-
-The set of valid body.output
-
-<b>Signature:</b>
-
-```typescript
-validBodyOutput: readonly ["data", "stream"]
-```
+<!-- Do not edit this file. It is automatically generated by API Documenter. -->
+
+[Home](./index.md) &gt; [kibana-plugin-server](./kibana-plugin-server.md) &gt; [validBodyOutput](./kibana-plugin-server.validbodyoutput.md)
+
+## validBodyOutput variable
+
+The set of valid body.output
+
+<b>Signature:</b>
+
+```typescript
+validBodyOutput: readonly ["data", "stream"]
+```
diff --git a/src/dev/precommit_hook/casing_check_config.js b/src/dev/precommit_hook/casing_check_config.js
index e5493df0aecf7..78fc041345577 100644
--- a/src/dev/precommit_hook/casing_check_config.js
+++ b/src/dev/precommit_hook/casing_check_config.js
@@ -55,6 +55,9 @@ export const IGNORE_FILE_GLOBS = [
 
   // filename is required by storybook
   'packages/kbn-storybook/storybook_config/preview-head.html',
+
+  // filename required by api-extractor
+  'api-documenter.json',
 ];
 
 /**
diff --git a/src/dev/run_check_core_api_changes.ts b/src/dev/run_check_core_api_changes.ts
index 56664477df491..48f31c261c445 100644
--- a/src/dev/run_check_core_api_changes.ts
+++ b/src/dev/run_check_core_api_changes.ts
@@ -83,7 +83,7 @@ const runBuildTypes = async () => {
 const runApiDocumenter = async (folder: string) => {
   await execa(
     'api-documenter',
-    ['markdown', '-i', `./build/${folder}`, '-o', `./docs/development/core/${folder}`],
+    ['generate', '-i', `./build/${folder}`, '-o', `./docs/development/core/${folder}`],
     {
       preferLocal: true,
     }

From 930153124910aa71507584ce828003f5476ae56a Mon Sep 17 00:00:00 2001
From: nnamdifrankie <56440728+nnamdifrankie@users.noreply.github.com>
Date: Mon, 27 Jan 2020 14:23:56 -0500
Subject: [PATCH 18/36] [Endpoint] EMT-65: make endpoint data types common,
 restructure (#54772)

[Endpoint] EMT-65: make endpoint data types common, use schema changes
---
 x-pack/plugins/endpoint/common/types.ts       |  46 ++
 x-pack/plugins/endpoint/server/plugin.ts      |   2 +-
 .../endpoint/server/routes/endpoints.test.ts  |  22 +-
 .../endpoint/server/routes/endpoints.ts       |  25 +-
 .../endpoint/endpoint_query_builders.test.ts  |   8 +-
 .../endpoint/endpoint_query_builders.ts       |  11 +-
 .../server/test_data/all_endpoints_data.json  | 438 ++++++------------
 x-pack/plugins/endpoint/server/types.ts       |  42 --
 .../apis/endpoint/endpoints.ts                |  14 +-
 .../endpoint/endpoints/api_feature/data.json  | 364 +++++++++++++++
 .../endpoints/api_feature/mappings.json       | 147 ++++++
 .../endpoint/endpoints/data.json.gz           | Bin 822 -> 0 bytes
 .../endpoint/endpoints/mappings.json          | 104 -----
 13 files changed, 739 insertions(+), 484 deletions(-)
 create mode 100644 x-pack/plugins/endpoint/common/types.ts
 create mode 100644 x-pack/test/functional/es_archives/endpoint/endpoints/api_feature/data.json
 create mode 100644 x-pack/test/functional/es_archives/endpoint/endpoints/api_feature/mappings.json
 delete mode 100644 x-pack/test/functional/es_archives/endpoint/endpoints/data.json.gz
 delete mode 100644 x-pack/test/functional/es_archives/endpoint/endpoints/mappings.json

diff --git a/x-pack/plugins/endpoint/common/types.ts b/x-pack/plugins/endpoint/common/types.ts
new file mode 100644
index 0000000000000..1a1402671aa01
--- /dev/null
+++ b/x-pack/plugins/endpoint/common/types.ts
@@ -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;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+
+export class EndpointAppConstants {
+  static ENDPOINT_INDEX_NAME = 'endpoint-agent*';
+}
+
+export interface EndpointResultList {
+  // the endpoint restricted by the page size
+  endpoints: EndpointMetadata[];
+  // the total number of unique endpoints in the index
+  total: number;
+  // the page size requested
+  request_page_size: number;
+  // the index requested
+  request_page_index: number;
+}
+
+export interface EndpointMetadata {
+  event: {
+    created: Date;
+  };
+  endpoint: {
+    policy: {
+      id: string;
+    };
+  };
+  agent: {
+    version: string;
+    id: string;
+  };
+  host: {
+    id: string;
+    hostname: string;
+    ip: string[];
+    mac: string[];
+    os: {
+      name: string;
+      full: string;
+      version: string;
+    };
+  };
+}
diff --git a/x-pack/plugins/endpoint/server/plugin.ts b/x-pack/plugins/endpoint/server/plugin.ts
index 7ed116ba21140..b1ae2adbdbb35 100644
--- a/x-pack/plugins/endpoint/server/plugin.ts
+++ b/x-pack/plugins/endpoint/server/plugin.ts
@@ -8,8 +8,8 @@ import { first } from 'rxjs/operators';
 import { addRoutes } from './routes';
 import { PluginSetupContract as FeaturesPluginSetupContract } from '../../features/server';
 import { createConfig$, EndpointConfigType } from './config';
-import { EndpointAppContext } from './types';
 import { registerEndpointRoutes } from './routes/endpoints';
+import { EndpointAppContext } from './types';
 
 export type EndpointPluginStart = void;
 export type EndpointPluginSetup = void;
diff --git a/x-pack/plugins/endpoint/server/routes/endpoints.test.ts b/x-pack/plugins/endpoint/server/routes/endpoints.test.ts
index 60433f86b6f7e..04a38972401ed 100644
--- a/x-pack/plugins/endpoint/server/routes/endpoints.test.ts
+++ b/x-pack/plugins/endpoint/server/routes/endpoints.test.ts
@@ -18,9 +18,9 @@ import {
   httpServiceMock,
   loggingServiceMock,
 } from '../../../../../src/core/server/mocks';
-import { EndpointData } from '../types';
+import { EndpointMetadata, EndpointResultList } from '../../common/types';
 import { SearchResponse } from 'elasticsearch';
-import { EndpointResultList, registerEndpointRoutes } from './endpoints';
+import { registerEndpointRoutes } from './endpoints';
 import { EndpointConfigSchema } from '../config';
 import * as data from '../test_data/all_endpoints_data.json';
 
@@ -49,8 +49,8 @@ describe('test endpoint route', () => {
   it('test find the latest of all endpoints', async () => {
     const mockRequest = httpServerMock.createKibanaRequest({});
 
-    const response: SearchResponse<EndpointData> = (data as unknown) as SearchResponse<
-      EndpointData
+    const response: SearchResponse<EndpointMetadata> = (data as unknown) as SearchResponse<
+      EndpointMetadata
     >;
     mockScopedClient.callAsCurrentUser.mockImplementationOnce(() => Promise.resolve(response));
     [routeConfig, routeHandler] = routerMock.post.mock.calls.find(([{ path }]) =>
@@ -73,9 +73,9 @@ describe('test endpoint route', () => {
     expect(routeConfig.options).toEqual({ authRequired: true });
     expect(mockResponse.ok).toBeCalled();
     const endpointResultList = mockResponse.ok.mock.calls[0][0]?.body as EndpointResultList;
-    expect(endpointResultList.endpoints.length).toEqual(3);
-    expect(endpointResultList.total).toEqual(3);
-    expect(endpointResultList.request_index).toEqual(0);
+    expect(endpointResultList.endpoints.length).toEqual(2);
+    expect(endpointResultList.total).toEqual(2);
+    expect(endpointResultList.request_page_index).toEqual(0);
     expect(endpointResultList.request_page_size).toEqual(10);
   });
 
@@ -93,7 +93,7 @@ describe('test endpoint route', () => {
       },
     });
     mockScopedClient.callAsCurrentUser.mockImplementationOnce(() =>
-      Promise.resolve((data as unknown) as SearchResponse<EndpointData>)
+      Promise.resolve((data as unknown) as SearchResponse<EndpointMetadata>)
     );
     [routeConfig, routeHandler] = routerMock.post.mock.calls.find(([{ path }]) =>
       path.startsWith('/api/endpoint/endpoints')
@@ -115,9 +115,9 @@ describe('test endpoint route', () => {
     expect(routeConfig.options).toEqual({ authRequired: true });
     expect(mockResponse.ok).toBeCalled();
     const endpointResultList = mockResponse.ok.mock.calls[0][0]?.body as EndpointResultList;
-    expect(endpointResultList.endpoints.length).toEqual(3);
-    expect(endpointResultList.total).toEqual(3);
-    expect(endpointResultList.request_index).toEqual(10);
+    expect(endpointResultList.endpoints.length).toEqual(2);
+    expect(endpointResultList.total).toEqual(2);
+    expect(endpointResultList.request_page_index).toEqual(10);
     expect(endpointResultList.request_page_size).toEqual(10);
   });
 });
diff --git a/x-pack/plugins/endpoint/server/routes/endpoints.ts b/x-pack/plugins/endpoint/server/routes/endpoints.ts
index 9d2babc61f11f..4fc3e653f9426 100644
--- a/x-pack/plugins/endpoint/server/routes/endpoints.ts
+++ b/x-pack/plugins/endpoint/server/routes/endpoints.ts
@@ -7,22 +7,13 @@
 import { IRouter } from 'kibana/server';
 import { SearchResponse } from 'elasticsearch';
 import { schema } from '@kbn/config-schema';
-import { EndpointAppContext, EndpointData } from '../types';
+
 import { kibanaRequestToEndpointListQuery } from '../services/endpoint/endpoint_query_builders';
+import { EndpointMetadata, EndpointResultList } from '../../common/types';
+import { EndpointAppContext } from '../types';
 
 interface HitSource {
-  _source: EndpointData;
-}
-
-export interface EndpointResultList {
-  // the endpoint restricted by the page size
-  endpoints: EndpointData[];
-  // the total number of unique endpoints in the index
-  total: number;
-  // the page size requested
-  request_page_size: number;
-  // the index requested
-  request_index: number;
+  _source: EndpointMetadata;
 }
 
 export function registerEndpointRoutes(router: IRouter, endpointAppContext: EndpointAppContext) {
@@ -53,7 +44,7 @@ export function registerEndpointRoutes(router: IRouter, endpointAppContext: Endp
         const response = (await context.core.elasticsearch.dataClient.callAsCurrentUser(
           'search',
           queryParams
-        )) as SearchResponse<EndpointData>;
+        )) as SearchResponse<EndpointMetadata>;
         return res.ok({ body: mapToEndpointResultList(queryParams, response) });
       } catch (err) {
         return res.internalError({ body: err });
@@ -64,13 +55,13 @@ export function registerEndpointRoutes(router: IRouter, endpointAppContext: Endp
 
 function mapToEndpointResultList(
   queryParams: Record<string, any>,
-  searchResponse: SearchResponse<EndpointData>
+  searchResponse: SearchResponse<EndpointMetadata>
 ): EndpointResultList {
   const totalNumberOfEndpoints = searchResponse?.aggregations?.total?.value || 0;
   if (searchResponse.hits.hits.length > 0) {
     return {
       request_page_size: queryParams.size,
-      request_index: queryParams.from,
+      request_page_index: queryParams.from,
       endpoints: searchResponse.hits.hits
         .map(response => response.inner_hits.most_recent.hits.hits)
         .flatMap(data => data as HitSource)
@@ -80,7 +71,7 @@ function mapToEndpointResultList(
   } else {
     return {
       request_page_size: queryParams.size,
-      request_index: queryParams.from,
+      request_page_index: queryParams.from,
       total: totalNumberOfEndpoints,
       endpoints: [],
     };
diff --git a/x-pack/plugins/endpoint/server/services/endpoint/endpoint_query_builders.test.ts b/x-pack/plugins/endpoint/server/services/endpoint/endpoint_query_builders.test.ts
index 2a8cecec16526..3c931a251d697 100644
--- a/x-pack/plugins/endpoint/server/services/endpoint/endpoint_query_builders.test.ts
+++ b/x-pack/plugins/endpoint/server/services/endpoint/endpoint_query_builders.test.ts
@@ -23,23 +23,23 @@ describe('test query builder', () => {
             match_all: {},
           },
           collapse: {
-            field: 'machine_id',
+            field: 'host.id.keyword',
             inner_hits: {
               name: 'most_recent',
               size: 1,
-              sort: [{ created_at: 'desc' }],
+              sort: [{ 'event.created': 'desc' }],
             },
           },
           aggs: {
             total: {
               cardinality: {
-                field: 'machine_id',
+                field: 'host.id.keyword',
               },
             },
           },
           sort: [
             {
-              created_at: {
+              'event.created': {
                 order: 'desc',
               },
             },
diff --git a/x-pack/plugins/endpoint/server/services/endpoint/endpoint_query_builders.ts b/x-pack/plugins/endpoint/server/services/endpoint/endpoint_query_builders.ts
index 7430ba9721608..102c268cf9ec4 100644
--- a/x-pack/plugins/endpoint/server/services/endpoint/endpoint_query_builders.ts
+++ b/x-pack/plugins/endpoint/server/services/endpoint/endpoint_query_builders.ts
@@ -4,7 +4,8 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 import { KibanaRequest } from 'kibana/server';
-import { EndpointAppConstants, EndpointAppContext } from '../../types';
+import { EndpointAppConstants } from '../../../common/types';
+import { EndpointAppContext } from '../../types';
 
 export const kibanaRequestToEndpointListQuery = async (
   request: KibanaRequest<any, any, any>,
@@ -17,23 +18,23 @@ export const kibanaRequestToEndpointListQuery = async (
         match_all: {},
       },
       collapse: {
-        field: 'machine_id',
+        field: 'host.id.keyword',
         inner_hits: {
           name: 'most_recent',
           size: 1,
-          sort: [{ created_at: 'desc' }],
+          sort: [{ 'event.created': 'desc' }],
         },
       },
       aggs: {
         total: {
           cardinality: {
-            field: 'machine_id',
+            field: 'host.id.keyword',
           },
         },
       },
       sort: [
         {
-          created_at: {
+          'event.created': {
             order: 'desc',
           },
         },
diff --git a/x-pack/plugins/endpoint/server/test_data/all_endpoints_data.json b/x-pack/plugins/endpoint/server/test_data/all_endpoints_data.json
index d505b2c929828..f1ad5190c55ff 100644
--- a/x-pack/plugins/endpoint/server/test_data/all_endpoints_data.json
+++ b/x-pack/plugins/endpoint/server/test_data/all_endpoints_data.json
@@ -1,228 +1,100 @@
 {
-  "took": 3,
-  "timed_out": false,
-  "_shards": {
-    "total": 1,
-    "successful": 1,
-    "skipped": 0,
-    "failed": 0
+  "took" : 343,
+  "timed_out" : false,
+  "_shards" : {
+    "total" : 1,
+    "successful" : 1,
+    "skipped" : 0,
+    "failed" : 0
   },
-  "hits": {
-    "total": {
-      "value": 9,
-      "relation": "eq"
+  "hits" : {
+    "total" : {
+      "value" : 4,
+      "relation" : "eq"
     },
-    "max_score": null,
-    "hits": [
+    "max_score" : null,
+    "hits" : [
       {
-        "_index": "endpoint-agent",
-        "_id": "UV_6SG8B9c_DH2QsbOZd",
-        "_score": null,
-        "_source": {
-          "machine_id": "606267a9-2e51-42b4-956e-6cc7812e3447",
-          "created_at": "2019-12-27T20:09:28.377Z",
-          "host": {
-            "name": "natalee-2",
-            "hostname": "natalee-2.example.com",
-            "ip": "10.5.220.127",
-            "mac_address": "17-5f-c9-f8-ca-d6",
-            "os": {
-              "name": "windows 6.3",
-              "full": "Windows Server 2012R2"
-            }
+        "_index" : "endpoint-agent",
+        "_id" : "WqVo1G8BYQH1gtPUgYkC",
+        "_score" : null,
+        "_source" : {
+          "@timestamp" : 1579816615336,
+          "event" : {
+            "created" : "2020-01-23T21:56:55.336Z"
           },
-          "endpoint": {
-            "domain": "example.com",
-            "is_base_image": false,
-            "active_directory_distinguished_name": "CN=natalee-2,DC=example,DC=com",
-            "active_directory_hostname": "natalee-2.example.com",
-            "upgrade": {
-              "status": null,
-              "updated_at": null
-            },
-            "isolation": {
-              "status": false,
-              "request_status": null,
-              "updated_at": null
-            },
-            "policy": {
-              "name": "With Eventing",
-              "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
-            },
-            "sensor": {
-              "persistence": true,
-              "status": {}
-            }
-          }
-        },
-        "fields": {
-          "machine_id": [
-            "606267a9-2e51-42b4-956e-6cc7812e3447"
-          ]
-        },
-        "sort": [
-          1577477368377
-        ],
-        "inner_hits": {
-          "most_recent": {
-            "hits": {
-              "total": {
-                "value": 3,
-                "relation": "eq"
-              },
-              "max_score": null,
-              "hits": [
-                {
-                  "_index": "endpoint-agent",
-                  "_id": "UV_6SG8B9c_DH2QsbOZd",
-                  "_score": null,
-                  "_source": {
-                    "machine_id": "606267a9-2e51-42b4-956e-6cc7812e3447",
-                    "created_at": "2019-12-27T20:09:28.377Z",
-                    "host": {
-                      "name": "natalee-2",
-                      "hostname": "natalee-2.example.com",
-                      "ip": "10.5.220.127",
-                      "mac_address": "17-5f-c9-f8-ca-d6",
-                      "os": {
-                        "name": "windows 6.3",
-                        "full": "Windows Server 2012R2"
-                      }
-                    },
-                    "endpoint": {
-                      "domain": "example.com",
-                      "is_base_image": false,
-                      "active_directory_distinguished_name": "CN=natalee-2,DC=example,DC=com",
-                      "active_directory_hostname": "natalee-2.example.com",
-                      "upgrade": {
-                        "status": null,
-                        "updated_at": null
-                      },
-                      "isolation": {
-                        "status": false,
-                        "request_status": null,
-                        "updated_at": null
-                      },
-                      "policy": {
-                        "name": "With Eventing",
-                        "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
-                      },
-                      "sensor": {
-                        "persistence": true,
-                        "status": {}
-                      }
-                    }
-                  },
-                  "sort": [
-                    1577477368377
-                  ]
-                }
-              ]
-            }
-          }
-        }
-      },
-      {
-        "_index": "endpoint-agent",
-        "_id": "Ul_6SG8B9c_DH2QsbOZd",
-        "_score": null,
-        "_source": {
-          "machine_id": "8ec625e1-a80c-4c9f-bdfd-496060aa6310",
-          "created_at": "2019-12-27T20:09:28.377Z",
-          "host": {
-            "name": "luttrell-2",
-            "hostname": "luttrell-2.example.com",
-            "ip": "10.246.84.193",
-            "mac_address": "dc-d-88-14-c3-c6",
-            "os": {
-              "name": "windows 6.3",
-              "full": "Windows Server 2012R2"
+          "endpoint" : {
+            "policy" : {
+              "id" : "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
             }
           },
-          "endpoint": {
-            "domain": "example.com",
-            "is_base_image": false,
-            "active_directory_distinguished_name": "CN=luttrell-2,DC=example,DC=com",
-            "active_directory_hostname": "luttrell-2.example.com",
-            "upgrade": {
-              "status": null,
-              "updated_at": null
-            },
-            "isolation": {
-              "status": false,
-              "request_status": null,
-              "updated_at": null
-            },
-            "policy": {
-              "name": "Default",
-              "id": "00000000-0000-0000-0000-000000000000"
-            },
-            "sensor": {
-              "persistence": true,
-              "status": {}
+          "agent" : {
+            "version" : "6.8.3",
+            "id" : "56a75650-3c8a-4e4f-ac17-6dd729c650e2"
+          },
+          "host" : {
+            "id" : "7141a48b-e19f-4ae3-89a0-6e7179a84265",
+            "hostname" : "larimer-0.example.com",
+            "ip" : "10.21.48.136",
+            "mac" : "77-be-30-f0-e8-d6",
+            "architecture" : "x86_64",
+            "os" : {
+              "name" : "windows 6.2",
+              "full" : "Windows Server 2012",
+              "version" : "6.2"
             }
           }
         },
-        "fields": {
-          "machine_id": [
-            "8ec625e1-a80c-4c9f-bdfd-496060aa6310"
+        "fields" : {
+          "host.id.keyword" : [
+            "7141a48b-e19f-4ae3-89a0-6e7179a84265"
           ]
         },
-        "sort": [
-          1577477368377
+        "sort" : [
+          1579816615336
         ],
-        "inner_hits": {
-          "most_recent": {
-            "hits": {
-              "total": {
-                "value": 3,
-                "relation": "eq"
+        "inner_hits" : {
+          "most_recent" : {
+            "hits" : {
+              "total" : {
+                "value" : 2,
+                "relation" : "eq"
               },
-              "max_score": null,
-              "hits": [
+              "max_score" : null,
+              "hits" : [
                 {
-                  "_index": "endpoint-agent",
-                  "_id": "Ul_6SG8B9c_DH2QsbOZd",
-                  "_score": null,
-                  "_source": {
-                    "machine_id": "8ec625e1-a80c-4c9f-bdfd-496060aa6310",
-                    "created_at": "2019-12-27T20:09:28.377Z",
-                    "host": {
-                      "name": "luttrell-2",
-                      "hostname": "luttrell-2.example.com",
-                      "ip": "10.246.84.193",
-                      "mac_address": "dc-d-88-14-c3-c6",
-                      "os": {
-                        "name": "windows 6.3",
-                        "full": "Windows Server 2012R2"
+                  "_index" : "endpoint-agent",
+                  "_id" : "WqVo1G8BYQH1gtPUgYkC",
+                  "_score" : null,
+                  "_source" : {
+                    "@timestamp" : 1579816615336,
+                    "event" : {
+                      "created" : "2020-01-23T21:56:55.336Z"
+                    },
+                    "endpoint" : {
+                      "policy" : {
+                        "id" : "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
                       }
                     },
-                    "endpoint": {
-                      "domain": "example.com",
-                      "is_base_image": false,
-                      "active_directory_distinguished_name": "CN=luttrell-2,DC=example,DC=com",
-                      "active_directory_hostname": "luttrell-2.example.com",
-                      "upgrade": {
-                        "status": null,
-                        "updated_at": null
-                      },
-                      "isolation": {
-                        "status": false,
-                        "request_status": null,
-                        "updated_at": null
-                      },
-                      "policy": {
-                        "name": "Default",
-                        "id": "00000000-0000-0000-0000-000000000000"
-                      },
-                      "sensor": {
-                        "persistence": true,
-                        "status": {}
+                    "agent" : {
+                      "version" : "6.8.3",
+                      "id" : "56a75650-3c8a-4e4f-ac17-6dd729c650e2"
+                    },
+                    "host" : {
+                      "id" : "7141a48b-e19f-4ae3-89a0-6e7179a84265",
+                      "hostname" : "larimer-0.example.com",
+                      "ip" : "10.21.48.136",
+                      "mac" : "77-be-30-f0-e8-d6",
+                      "architecture" : "x86_64",
+                      "os" : {
+                        "name" : "windows 6.2",
+                        "full" : "Windows Server 2012",
+                        "version" : "6.2"
                       }
                     }
                   },
-                  "sort": [
-                    1577477368377
+                  "sort" : [
+                    1579816615336
                   ]
                 }
               ]
@@ -231,106 +103,86 @@
         }
       },
       {
-        "_index": "endpoint-agent",
-        "_id": "U1_6SG8B9c_DH2QsbOZd",
-        "_score": null,
-        "_source": {
-          "machine_id": "853a308c-6e6d-4b92-a32b-2f623b6c8cf4",
-          "created_at": "2019-12-27T20:09:28.377Z",
-          "host": {
-            "name": "akeylah-7",
-            "hostname": "akeylah-7.example.com",
-            "ip": "10.252.242.44",
-            "mac_address": "27-b9-51-21-31-a",
-            "os": {
-              "name": "windows 6.3",
-              "full": "Windows Server 2012R2"
+        "_index" : "endpoint-agent",
+        "_id" : "W6Vo1G8BYQH1gtPUgYkC",
+        "_score" : null,
+        "_source" : {
+          "@timestamp" : 1579816615336,
+          "event" : {
+            "created" : "2020-01-23T21:56:55.336Z"
+          },
+          "endpoint" : {
+            "policy" : {
+              "id" : "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
             }
           },
-          "endpoint": {
-            "domain": "example.com",
-            "is_base_image": false,
-            "active_directory_distinguished_name": "CN=akeylah-7,DC=example,DC=com",
-            "active_directory_hostname": "akeylah-7.example.com",
-            "upgrade": {
-              "status": null,
-              "updated_at": null
-            },
-            "isolation": {
-              "status": false,
-              "request_status": null,
-              "updated_at": null
-            },
-            "policy": {
-              "name": "With Eventing",
-              "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
-            },
-            "sensor": {
-              "persistence": true,
-              "status": {}
+          "agent" : {
+            "version" : "6.4.3",
+            "id" : "c2d84d8f-d355-40de-8b54-5d318d4d1312"
+          },
+          "host" : {
+            "id" : "f35ec6c1-6562-45b1-818f-2f14c0854adf",
+            "hostname" : "hildebrandt-6.example.com",
+            "ip" : "10.53.92.84",
+            "mac" : "af-f1-8f-51-25-2a",
+            "architecture" : "x86_64",
+            "os" : {
+              "name" : "windows 10.0",
+              "full" : "Windows 10",
+              "version" : "10.0"
             }
           }
         },
-        "fields": {
-          "machine_id": [
-            "853a308c-6e6d-4b92-a32b-2f623b6c8cf4"
+        "fields" : {
+          "host.id.keyword" : [
+            "f35ec6c1-6562-45b1-818f-2f14c0854adf"
           ]
         },
-        "sort": [
-          1577477368377
+        "sort" : [
+          1579816615336
         ],
-        "inner_hits": {
-          "most_recent": {
-            "hits": {
-              "total": {
-                "value": 3,
-                "relation": "eq"
+        "inner_hits" : {
+          "most_recent" : {
+            "hits" : {
+              "total" : {
+                "value" : 2,
+                "relation" : "eq"
               },
-              "max_score": null,
-              "hits": [
+              "max_score" : null,
+              "hits" : [
                 {
-                  "_index": "endpoint-agent",
-                  "_id": "U1_6SG8B9c_DH2QsbOZd",
-                  "_score": null,
-                  "_source": {
-                    "machine_id": "853a308c-6e6d-4b92-a32b-2f623b6c8cf4",
-                    "created_at": "2019-12-27T20:09:28.377Z",
-                    "host": {
-                      "name": "akeylah-7",
-                      "hostname": "akeylah-7.example.com",
-                      "ip": "10.252.242.44",
-                      "mac_address": "27-b9-51-21-31-a",
-                      "os": {
-                        "name": "windows 6.3",
-                        "full": "Windows Server 2012R2"
+                  "_index" : "endpoint-agent",
+                  "_id" : "W6Vo1G8BYQH1gtPUgYkC",
+                  "_score" : null,
+                  "_source" : {
+                    "@timestamp" : 1579816615336,
+                    "event" : {
+                      "created" : "2020-01-23T21:56:55.336Z"
+                    },
+                    "endpoint" : {
+                      "policy" : {
+                        "id" : "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
                       }
                     },
-                    "endpoint": {
-                      "domain": "example.com",
-                      "is_base_image": false,
-                      "active_directory_distinguished_name": "CN=akeylah-7,DC=example,DC=com",
-                      "active_directory_hostname": "akeylah-7.example.com",
-                      "upgrade": {
-                        "status": null,
-                        "updated_at": null
-                      },
-                      "isolation": {
-                        "status": false,
-                        "request_status": null,
-                        "updated_at": null
-                      },
-                      "policy": {
-                        "name": "With Eventing",
-                        "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
-                      },
-                      "sensor": {
-                        "persistence": true,
-                        "status": {}
+                    "agent" : {
+                      "version" : "6.4.3",
+                      "id" : "c2d84d8f-d355-40de-8b54-5d318d4d1312"
+                    },
+                    "host" : {
+                      "id" : "f35ec6c1-6562-45b1-818f-2f14c0854adf",
+                      "hostname" : "hildebrandt-6.example.com",
+                      "ip" : "10.53.92.84",
+                      "mac" : "af-f1-8f-51-25-2a",
+                      "architecture" : "x86_64",
+                      "os" : {
+                        "name" : "windows 10.0",
+                        "full" : "Windows 10",
+                        "version" : "10.0"
                       }
                     }
                   },
-                  "sort": [
-                    1577477368377
+                  "sort" : [
+                    1579816615336
                   ]
                 }
               ]
@@ -340,9 +192,9 @@
       }
     ]
   },
-  "aggregations": {
-    "total": {
-      "value": 3
+  "aggregations" : {
+    "total" : {
+      "value" : 2
     }
   }
 }
diff --git a/x-pack/plugins/endpoint/server/types.ts b/x-pack/plugins/endpoint/server/types.ts
index c6d0e3dea70cf..f06cc10f16709 100644
--- a/x-pack/plugins/endpoint/server/types.ts
+++ b/x-pack/plugins/endpoint/server/types.ts
@@ -10,45 +10,3 @@ export interface EndpointAppContext {
   logFactory: LoggerFactory;
   config(): Promise<EndpointConfigType>;
 }
-
-export class EndpointAppConstants {
-  static ENDPOINT_INDEX_NAME = 'endpoint-agent*';
-}
-
-export interface EndpointData {
-  machine_id: string;
-  created_at: Date;
-  host: {
-    name: string;
-    hostname: string;
-    ip: string;
-    mac_address: string;
-    os: {
-      name: string;
-      full: string;
-    };
-  };
-  endpoint: {
-    domain: string;
-    is_base_image: boolean;
-    active_directory_distinguished_name: string;
-    active_directory_hostname: string;
-    upgrade: {
-      status?: string;
-      updated_at?: Date;
-    };
-    isolation: {
-      status: boolean;
-      request_status?: string | boolean;
-      updated_at?: Date;
-    };
-    policy: {
-      name: string;
-      id: string;
-    };
-    sensor: {
-      persistence: boolean;
-      status: object;
-    };
-  };
-}
diff --git a/x-pack/test/api_integration/apis/endpoint/endpoints.ts b/x-pack/test/api_integration/apis/endpoint/endpoints.ts
index 32864489d3786..1c520fe92e38e 100644
--- a/x-pack/test/api_integration/apis/endpoint/endpoints.ts
+++ b/x-pack/test/api_integration/apis/endpoint/endpoints.ts
@@ -12,7 +12,7 @@ export default function({ getService }: FtrProviderContext) {
   describe('test endpoints api', () => {
     describe('POST /api/endpoint/endpoints when index is empty', () => {
       it('endpoints api should return empty result when index is empty', async () => {
-        await esArchiver.unload('endpoint/endpoints');
+        await esArchiver.unload('endpoint/endpoints/api_feature');
         const { body } = await supertest
           .post('/api/endpoint/endpoints')
           .set('kbn-xsrf', 'xxx')
@@ -21,13 +21,13 @@ export default function({ getService }: FtrProviderContext) {
         expect(body.total).to.eql(0);
         expect(body.endpoints.length).to.eql(0);
         expect(body.request_page_size).to.eql(10);
-        expect(body.request_index).to.eql(0);
+        expect(body.request_page_index).to.eql(0);
       });
     });
 
     describe('POST /api/endpoint/endpoints when index is not empty', () => {
-      before(() => esArchiver.load('endpoint/endpoints'));
-      after(() => esArchiver.unload('endpoint/endpoints'));
+      before(() => esArchiver.load('endpoint/endpoints/api_feature'));
+      after(() => esArchiver.unload('endpoint/endpoints/api_feature'));
       it('endpoints api should return one entry for each endpoint with default paging', async () => {
         const { body } = await supertest
           .post('/api/endpoint/endpoints')
@@ -37,7 +37,7 @@ export default function({ getService }: FtrProviderContext) {
         expect(body.total).to.eql(3);
         expect(body.endpoints.length).to.eql(3);
         expect(body.request_page_size).to.eql(10);
-        expect(body.request_index).to.eql(0);
+        expect(body.request_page_index).to.eql(0);
       });
 
       it('endpoints api should return page based on params passed.', async () => {
@@ -58,7 +58,7 @@ export default function({ getService }: FtrProviderContext) {
         expect(body.total).to.eql(3);
         expect(body.endpoints.length).to.eql(1);
         expect(body.request_page_size).to.eql(1);
-        expect(body.request_index).to.eql(1);
+        expect(body.request_page_index).to.eql(1);
       });
 
       /* test that when paging properties produces no result, the total should reflect the actual number of endpoints
@@ -82,7 +82,7 @@ export default function({ getService }: FtrProviderContext) {
         expect(body.total).to.eql(3);
         expect(body.endpoints.length).to.eql(0);
         expect(body.request_page_size).to.eql(10);
-        expect(body.request_index).to.eql(30);
+        expect(body.request_page_index).to.eql(30);
       });
 
       it('endpoints api should return 400 when pagingProperties is below boundaries.', async () => {
diff --git a/x-pack/test/functional/es_archives/endpoint/endpoints/api_feature/data.json b/x-pack/test/functional/es_archives/endpoint/endpoints/api_feature/data.json
new file mode 100644
index 0000000000000..b481d56df4d52
--- /dev/null
+++ b/x-pack/test/functional/es_archives/endpoint/endpoints/api_feature/data.json
@@ -0,0 +1,364 @@
+{
+  "type": "doc",
+  "value": {
+    "id": "3KVN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579881969541,
+      "agent": {
+        "id": "963b081e-60d1-482c-befd-a5815fa8290f",
+        "version": "6.6.1"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T16:06:09.541Z"
+      },
+      "host": {
+        "architecture": "x86",
+        "hostname": "cadmann-4.example.com",
+        "id": "1fb3e58f-6ab0-4406-9d2a-91911207a712",
+        "ip": [
+          "10.192.213.130",
+          "10.70.28.129"
+        ],
+        "mac": [
+          "a9-71-6a-cc-93-85",
+          "f7-31-84-d3-21-68",
+          "2-95-12-39-ca-71"
+        ],
+        "os": {
+          "full": "Windows 10",
+          "name": "windows 10.0",
+          "version": "10.0"
+        }
+      }
+    }
+  }
+}
+
+{
+  "type": "doc",
+  "value": {
+    "id": "3aVN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579881969541,
+      "agent": {
+        "id": "b3412d6f-b022-4448-8fee-21cc936ea86b",
+        "version": "6.0.0"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T16:06:09.541Z"
+      },
+      "host": {
+        "architecture": "x86_64",
+        "hostname": "thurlow-9.example.com",
+        "id": "2f735e3d-be14-483b-9822-bad06e9045ca",
+        "ip": [
+          "10.46.229.234"
+        ],
+        "mac": [
+          "30-8c-45-55-69-b8",
+          "e5-36-7e-8f-a3-84",
+          "39-a1-37-20-18-74"
+        ],
+        "os": {
+          "full": "Windows Server 2016",
+          "name": "windows 10.0",
+          "version": "10.0"
+        }
+      }
+    }
+  }
+}
+
+{
+  "type": "doc",
+  "value": {
+    "id": "3qVN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579881969541,
+      "agent": {
+        "id": "3838df35-a095-4af4-8fce-0b6d78793f2e",
+        "version": "6.8.0"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "00000000-0000-0000-0000-000000000000"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T16:06:09.541Z"
+      },
+      "host": {
+        "hostname": "rezzani-7.example.com",
+        "id": "fc0ff548-feba-41b6-8367-65e8790d0eaf",
+        "ip": [
+          "10.101.149.26",
+          "10.12.85.216"
+        ],
+        "mac": [
+          "e2-6d-f9-0-46-2e"
+        ],
+        "os": {
+          "full": "Windows 10",
+          "name": "windows 10.0",
+          "version": "10.0"
+        }
+      }
+    }
+  }
+}
+
+{
+  "type": "doc",
+  "value": {
+    "id": "36VN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579878369541,
+      "agent": {
+        "id": "963b081e-60d1-482c-befd-a5815fa8290f",
+        "version": "6.6.1"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T15:06:09.541Z"
+      },
+      "host": {
+        "architecture": "x86",
+        "hostname": "cadmann-4.example.com",
+        "id": "1fb3e58f-6ab0-4406-9d2a-91911207a712",
+        "ip": [
+          "10.192.213.130",
+          "10.70.28.129"
+        ],
+        "mac": [
+          "a9-71-6a-cc-93-85",
+          "f7-31-84-d3-21-68",
+          "2-95-12-39-ca-71"
+        ],
+        "os": {
+          "full": "Windows Server 2016",
+          "name": "windows 10.0",
+          "version": "10.0"
+        }
+      }
+    }
+  }
+}
+
+{
+  "type": "doc",
+  "value": {
+    "id": "4KVN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579878369541,
+      "agent": {
+        "id": "b3412d6f-b022-4448-8fee-21cc936ea86b",
+        "version": "6.0.0"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T15:06:09.541Z"
+      },
+      "host": {
+        "hostname": "thurlow-9.example.com",
+        "id": "2f735e3d-be14-483b-9822-bad06e9045ca",
+        "ip": [
+          "10.46.229.234"
+        ],
+        "mac": [
+          "30-8c-45-55-69-b8",
+          "e5-36-7e-8f-a3-84",
+          "39-a1-37-20-18-74"
+        ],
+        "os": {
+          "full": "Windows Server 2012",
+          "name": "windows 6.2",
+          "version": "6.2"
+        }
+      }
+    }
+  }
+}
+
+{
+  "type": "doc",
+  "value": {
+    "id": "4aVN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579878369541,
+      "agent": {
+        "id": "3838df35-a095-4af4-8fce-0b6d78793f2e",
+        "version": "6.8.0"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "00000000-0000-0000-0000-000000000000"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T15:06:09.541Z"
+      },
+      "host": {
+        "architecture": "x86",
+        "hostname": "rezzani-7.example.com",
+        "id": "fc0ff548-feba-41b6-8367-65e8790d0eaf",
+        "ip": [
+          "10.101.149.26",
+          "10.12.85.216"
+        ],
+        "mac": [
+          "e2-6d-f9-0-46-2e"
+        ],
+        "os": {
+          "full": "Windows Server 2012",
+          "name": "windows 6.2",
+          "version": "6.2"
+        }
+      }
+    }
+  }
+}
+
+{
+  "type": "doc",
+  "value": {
+    "id": "4qVN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579874769541,
+      "agent": {
+        "id": "963b081e-60d1-482c-befd-a5815fa8290f",
+        "version": "6.6.1"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "00000000-0000-0000-0000-000000000000"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T14:06:09.541Z"
+      },
+      "host": {
+        "hostname": "cadmann-4.example.com",
+        "id": "1fb3e58f-6ab0-4406-9d2a-91911207a712",
+        "ip": [
+          "10.192.213.130",
+          "10.70.28.129"
+        ],
+        "mac": [
+          "a9-71-6a-cc-93-85",
+          "f7-31-84-d3-21-68",
+          "2-95-12-39-ca-71"
+        ],
+        "os": {
+          "full": "Windows Server 2012R2",
+          "name": "windows 6.3",
+          "version": "6.3"
+        }
+      }
+    }
+  }
+}
+
+{
+  "type": "doc",
+  "value": {
+    "id": "46VN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579874769541,
+      "agent": {
+        "id": "b3412d6f-b022-4448-8fee-21cc936ea86b",
+        "version": "6.0.0"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "C2A9093E-E289-4C0A-AA44-8C32A414FA7A"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T14:06:09.541Z"
+      },
+      "host": {
+        "hostname": "thurlow-9.example.com",
+        "id": "2f735e3d-be14-483b-9822-bad06e9045ca",
+        "ip": [
+          "10.46.229.234"
+        ],
+        "mac": [
+          "30-8c-45-55-69-b8",
+          "e5-36-7e-8f-a3-84",
+          "39-a1-37-20-18-74"
+        ],
+        "os": {
+          "full": "Windows Server 2012R2",
+          "name": "windows 6.3",
+          "version": "6.3"
+        }
+      }
+    }
+  }
+}
+
+{
+  "type": "doc",
+  "value": {
+    "id": "5KVN2G8BYQH1gtPUuYk7",
+    "index": "endpoint-agent",
+    "source": {
+      "@timestamp": 1579874769541,
+      "agent": {
+        "id": "3838df35-a095-4af4-8fce-0b6d78793f2e",
+        "version": "6.8.0"
+      },
+      "endpoint": {
+        "policy": {
+          "id": "00000000-0000-0000-0000-000000000000"
+        }
+      },
+      "event": {
+        "created": "2020-01-24T14:06:09.541Z"
+      },
+      "host": {
+        "architecture": "x86",
+        "hostname": "rezzani-7.example.com",
+        "id": "fc0ff548-feba-41b6-8367-65e8790d0eaf",
+        "ip": [
+          "10.101.149.26",
+          "10.12.85.216"
+        ],
+        "mac": [
+          "e2-6d-f9-0-46-2e"
+        ],
+        "os": {
+          "full": "Windows Server 2012",
+          "name": "windows 6.2",
+          "version": "6.2"
+        }
+      }
+    }
+  }
+}
\ No newline at end of file
diff --git a/x-pack/test/functional/es_archives/endpoint/endpoints/api_feature/mappings.json b/x-pack/test/functional/es_archives/endpoint/endpoints/api_feature/mappings.json
new file mode 100644
index 0000000000000..11766c12b8fff
--- /dev/null
+++ b/x-pack/test/functional/es_archives/endpoint/endpoints/api_feature/mappings.json
@@ -0,0 +1,147 @@
+{
+  "type": "index",
+  "value": {
+    "aliases": {
+    },
+    "index": "endpoint-agent",
+    "mappings": {
+      "properties": {
+        "@timestamp": {
+          "type": "long"
+        },
+        "agent": {
+          "properties": {
+            "id": {
+              "fields": {
+                "keyword": {
+                  "ignore_above": 256,
+                  "type": "keyword"
+                }
+              },
+              "type": "text"
+            },
+            "version": {
+              "fields": {
+                "keyword": {
+                  "ignore_above": 256,
+                  "type": "keyword"
+                }
+              },
+              "type": "text"
+            }
+          }
+        },
+        "endpoint": {
+          "properties": {
+            "policy": {
+              "properties": {
+                "id": {
+                  "fields": {
+                    "keyword": {
+                      "ignore_above": 256,
+                      "type": "keyword"
+                    }
+                  },
+                  "type": "text"
+                }
+              }
+            }
+          }
+        },
+        "event": {
+          "properties": {
+            "created": {
+              "type": "date"
+            }
+          }
+        },
+        "host": {
+          "properties": {
+            "architecture": {
+              "fields": {
+                "keyword": {
+                  "ignore_above": 256,
+                  "type": "keyword"
+                }
+              },
+              "type": "text"
+            },
+            "hostname": {
+              "fields": {
+                "keyword": {
+                  "ignore_above": 256,
+                  "type": "keyword"
+                }
+              },
+              "type": "text"
+            },
+            "id": {
+              "fields": {
+                "keyword": {
+                  "ignore_above": 256,
+                  "type": "keyword"
+                }
+              },
+              "type": "text"
+            },
+            "ip": {
+              "fields": {
+                "keyword": {
+                  "ignore_above": 256,
+                  "type": "keyword"
+                }
+              },
+              "type": "text"
+            },
+            "mac": {
+              "fields": {
+                "keyword": {
+                  "ignore_above": 256,
+                  "type": "keyword"
+                }
+              },
+              "type": "text"
+            },
+            "os": {
+              "properties": {
+                "full": {
+                  "fields": {
+                    "keyword": {
+                      "ignore_above": 256,
+                      "type": "keyword"
+                    }
+                  },
+                  "type": "text"
+                },
+                "name": {
+                  "fields": {
+                    "keyword": {
+                      "ignore_above": 256,
+                      "type": "keyword"
+                    }
+                  },
+                  "type": "text"
+                },
+                "version": {
+                  "fields": {
+                    "keyword": {
+                      "ignore_above": 256,
+                      "type": "keyword"
+                    }
+                  },
+                  "type": "text"
+                }
+              }
+            }
+          }
+        }
+      }
+    },
+    "settings": {
+      "index": {
+        "number_of_replicas": "1",
+        "number_of_shards": "1"
+      }
+    }
+  }
+}
\ No newline at end of file
diff --git a/x-pack/test/functional/es_archives/endpoint/endpoints/data.json.gz b/x-pack/test/functional/es_archives/endpoint/endpoints/data.json.gz
deleted file mode 100644
index fda46096e1ab2465cf93d6c8b09dd111aa85d9f6..0000000000000000000000000000000000000000
GIT binary patch
literal 0
HcmV?d00001

literal 822
zcmV-61Ihd!iwFP!000026YW`DPunmQeebWR^308F$N56yp(`+H54>yw#!KbK4p>T)
zEOvkj^}o+4{a#ksI$#AyYL)n2pKD*=9Np7Cbh=$fk4xbkb{$?M&OtM9%d)x|c`y&=
zQS!!mj=z^zB>Kb$pT}Q@p*oWzIdyM5axU&0Cz12AkhunSEpk0KtD>%wC7>BeD#5hi
z1E!l<1Q7%X10vsWa7g1rj9s6ESF`!uCGHA_8D)u<w_?C$B@$g!V{@mp%&%*yZVY(N
zM$>)u&yJF6Y5{z3+&>ccY*c2VxlM}EB1jwHO`-H0W`W_(0Njn)ycjW=Pt(xuAk|>V
zlo-g7NssYMS*FCAy~voBMZUI8W2nTBS|~kGn(0~@YhGvB!K%l?vVmz#b;*~xZYC~_
zla<(Ik;!Dd8Tj$&(d>ejulePy#hmBtSfs4Zw9^_=iCh)cX2?=h$|PFk(~8kmE!sD_
zI%(31UzgVv<6<+w?~}MCQ=JWXr>TtfYW$;Gk!9nCk&C_9d;*uyaMeCy$$)WQ38kiv
z4159HgMfk`KpL(3{t|T6SZwCXNzKL@_Y3pZ7I&)qRaCd4>Jo%W`yt-V9L*w~Eg3OO
zzLB}9?#G((z0^x6hLrFKXo!7aaeyJDB;w6jz~e`>25HinbUF{uC!>qgJtm`OSQR;-
z9mr^b@!`m*PkJ$my%RVgQ4F+?deG}p3Q^x9J&NgRFYL9~@rBek-IH5W3+7lp93?$j
zF$+rasEdi`5)^D<B$II-K!Rb&fIytK5z->$-x5-=osi60(eoLJ1ySG;KZ1Y{InX4g
z5Jw&Y!Td0wQAo&;?7&Fpd(22?N1|d7>_A9!2-_Ul=I99~da6{Gy-|o<>c-wS8VW&}
zH#&wC1EUbOHb(P+|3hEo`F@B~k^*5k0m`EkB2Ebqff!@MIEZ+(0}ExZ!a}|kX|^x2
zQtb_;+CS}#URbN)J?12<)hs7jt@h5e+U4mUGm_P6R;yX9_Bu55vSRJ>b$&9UR;<~^
z$ci=lzuI#sDcfU8vRchjlGSSOO{?KOW+bcCEFW3L)=EYgy{S<92_<*7SNSLa0Kz?$
Ad;kCd

diff --git a/x-pack/test/functional/es_archives/endpoint/endpoints/mappings.json b/x-pack/test/functional/es_archives/endpoint/endpoints/mappings.json
deleted file mode 100644
index 9544d05d70600..0000000000000
--- a/x-pack/test/functional/es_archives/endpoint/endpoints/mappings.json
+++ /dev/null
@@ -1,104 +0,0 @@
-{
-  "type": "index",
-  "value": {
-    "aliases": {
-    },
-    "index": "endpoint-agent",
-    "mappings": {
-      "properties": {
-        "created_at": {
-          "type": "date"
-        },
-        "endpoint": {
-          "properties": {
-            "active_directory_distinguished_name": {
-              "type": "text"
-            },
-            "active_directory_hostname": {
-              "type": "text"
-            },
-            "domain": {
-              "type": "text"
-            },
-            "is_base_image": {
-              "type": "boolean"
-            },
-            "isolation": {
-              "properties": {
-                "status": {
-                  "type": "boolean"
-                }
-              }
-            },
-            "policy": {
-              "properties": {
-                "id": {
-                  "ignore_above": 256,
-                  "type": "keyword"
-                },
-                "name": {
-                  "fields": {
-                    "keyword": {
-                      "ignore_above": 256,
-                      "type": "keyword"
-                    }
-                  },
-                  "type": "text"
-                }
-              }
-            },
-            "sensor": {
-              "properties": {
-                "persistence": {
-                  "type": "boolean"
-                },
-                "status": {
-                  "type": "object"
-                }
-              }
-            },
-            "upgrade": {
-              "type": "object"
-            }
-          }
-        },
-        "host": {
-          "properties": {
-            "hostname": {
-              "type": "text"
-            },
-            "ip": {
-              "ignore_above": 256,
-              "type": "keyword"
-            },
-            "mac_address": {
-              "type": "text"
-            },
-            "name": {
-              "type": "text"
-            },
-            "os": {
-              "properties": {
-                "full": {
-                  "type": "text"
-                },
-                "name": {
-                  "type": "text"
-                }
-              }
-            }
-          }
-        },
-        "machine_id": {
-          "type": "keyword"
-        }
-      }
-    },
-    "settings": {
-      "index": {
-        "number_of_replicas": "0",
-        "number_of_shards": "1"
-      }
-    }
-  }
-}
\ No newline at end of file

From 5d6dbf07b028647ee251601a56ef4fb74fb2506c Mon Sep 17 00:00:00 2001
From: Alexey Antonov <alexwizp@gmail.com>
Date: Mon, 27 Jan 2020 22:25:39 +0300
Subject: [PATCH 19/36] Expose NP FieldFormats service to server side (#55419)

* Expose NP FieldFormats service to server side

* fix CI

* fix PR comments

* fix PR comments

* fix CI

* getFieldFormatsRegistry -> getFieldFormatRegistry

* fix CI

* memoize - add resolve cache function

* fix Jest

* move IFieldFormatMetaParams to types.ts

* FieldFormatRegistry -> FieldFormatsRegistry

* update src/core/MIGRATION.md

* update public contract

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .eslintrc.js                                  | 10 +-
 src/core/MIGRATION.md                         |  4 +-
 src/legacy/core_plugins/kibana/index.js       |  2 -
 .../components/metric_vis_component.tsx       |  8 +-
 .../public/metric_vis_type.test.ts            |  4 +-
 .../public/components/vis_types/table/vis.js  |  6 +-
 src/legacy/ui/field_formats/index.ts          | 20 ----
 .../mixin/field_formats_mixin.ts              | 45 ---------
 .../mixin/field_formats_service.test.ts       | 56 -----------
 .../mixin/field_formats_service.ts            | 79 ---------------
 src/legacy/ui/public/agg_types/agg_config.ts  | 12 +--
 src/legacy/ui/public/agg_types/agg_type.ts    | 10 +-
 .../buckets/create_filter/date_range.test.ts  |  5 +-
 .../buckets/create_filter/histogram.test.ts   |  5 +-
 .../buckets/create_filter/ip_range.test.ts    |  4 +-
 .../buckets/create_filter/range.test.ts       |  5 +-
 .../ui/public/agg_types/buckets/date_range.ts | 14 +--
 .../ui/public/agg_types/buckets/ip_range.ts   | 14 +--
 .../ui/public/agg_types/buckets/range.test.ts |  7 +-
 .../ui/public/agg_types/buckets/range.ts      |  4 +-
 .../ui/public/agg_types/buckets/terms.ts      | 13 +--
 .../public/agg_types/metrics/cardinality.ts   |  4 +-
 .../ui/public/agg_types/metrics/count.ts      |  4 +-
 .../agg_types/metrics/metric_agg_type.ts      |  6 +-
 .../agg_types/metrics/percentile_ranks.ts     | 12 +--
 .../editors/color/color.js                    |  4 +-
 .../editors/color/color.test.js               |  4 +-
 .../lib/__tests__/get_default_format.test.js  |  8 +-
 .../ui/public/time_buckets/time_buckets.js    |  6 +-
 .../loader/pipeline_helpers/utilities.ts      | 30 +++---
 src/legacy/ui/ui_mixin.js                     |  2 -
 .../constants/base_formatters.ts}             | 60 +++++------
 .../common/field_formats/converters/color.ts  |  2 +-
 .../common/field_formats/converters/custom.ts |  4 +-
 .../field_formats/converters/date_server.ts   | 11 ++-
 .../common/field_formats/converters/string.ts |  2 +-
 .../common/field_formats/converters/url.ts    |  9 +-
 .../data/common/field_formats/field_format.ts | 27 +----
 .../field_formats_registry.test.ts}           | 99 +++++++++----------
 .../field_formats/field_formats_registry.ts}  | 97 ++++++++----------
 .../data/common/field_formats/index.ts        | 13 +--
 .../field_formats/static.ts}                  | 69 +++++--------
 .../data/common/field_formats/types.ts        | 34 ++++++-
 src/plugins/data/common/types.ts              |  1 -
 .../field_formats/field_formats_service.ts    | 55 +++++++++++
 .../index.ts                                  |  1 -
 .../public/field_formats_provider/types.ts    | 26 -----
 src/plugins/data/public/index.ts              | 29 +-----
 .../public/index_patterns/fields/field.ts     |  8 +-
 .../index_patterns/format_hit.ts              |  4 +-
 .../index_patterns/index_pattern.test.ts      |  4 +-
 src/plugins/data/public/mocks.ts              |  5 +-
 src/plugins/data/public/plugin.ts             |  2 +-
 .../search/search_source/search_source.ts     |  7 +-
 src/plugins/data/public/types.ts              |  2 +-
 .../query_string_input.test.tsx.snap          |  6 --
 .../field_formats/field_formats_service.ts    | 59 +++++++++++
 .../field_formats}/index.ts                   |  2 +-
 src/plugins/data/server/index.ts              | 55 ++++-------
 src/plugins/data/server/plugin.ts             | 18 +++-
 src/test_utils/public/stub_field_formats.ts   | 45 +--------
 src/test_utils/public/stub_index_pattern.js   |  9 +-
 .../metric_expression.test.tsx                | 11 ++-
 .../csv/server/execute_job.test.js            | 13 +--
 .../export_types/csv/server/execute_job.ts    | 11 +--
 .../csv/server/lib/field_format_map.test.ts   | 13 ++-
 .../csv/server/lib/field_format_map.ts        | 13 ++-
 x-pack/legacy/plugins/reporting/index.ts      | 18 +++-
 .../legacy/plugins/reporting/server/plugin.ts |  4 +-
 x-pack/legacy/plugins/reporting/types.d.ts    | 11 +--
 70 files changed, 525 insertions(+), 741 deletions(-)
 delete mode 100644 src/legacy/ui/field_formats/index.ts
 delete mode 100644 src/legacy/ui/field_formats/mixin/field_formats_mixin.ts
 delete mode 100644 src/legacy/ui/field_formats/mixin/field_formats_service.test.ts
 delete mode 100644 src/legacy/ui/field_formats/mixin/field_formats_service.ts
 rename src/{legacy/core_plugins/kibana/server/field_formats/register.js => plugins/data/common/field_formats/constants/base_formatters.ts} (58%)
 rename src/plugins/data/{public/field_formats_provider/field_formats.test.ts => common/field_formats/field_formats_registry.test.ts} (57%)
 rename src/plugins/data/{public/field_formats_provider/field_formats.ts => common/field_formats/field_formats_registry.ts} (81%)
 rename src/plugins/data/{public/field_formats_provider/field_formats_service.ts => common/field_formats/static.ts} (51%)
 create mode 100644 src/plugins/data/public/field_formats/field_formats_service.ts
 rename src/plugins/data/public/{field_formats_provider => field_formats}/index.ts (92%)
 delete mode 100644 src/plugins/data/public/field_formats_provider/types.ts
 create mode 100644 src/plugins/data/server/field_formats/field_formats_service.ts
 rename src/plugins/data/{common/field_formats/constants => server/field_formats}/index.ts (88%)

diff --git a/.eslintrc.js b/.eslintrc.js
index bbe2047271cad..310949b23fe36 100644
--- a/.eslintrc.js
+++ b/.eslintrc.js
@@ -244,15 +244,15 @@ module.exports = {
               {
                 target: [
                   '(src|x-pack)/plugins/**/*',
-                  '!(src|x-pack)/plugins/*/server/**/*',
+                  '!(src|x-pack)/plugins/**/server/**/*',
 
                   'src/legacy/core_plugins/**/*',
-                  '!src/legacy/core_plugins/*/server/**/*',
-                  '!src/legacy/core_plugins/*/index.{js,ts,tsx}',
+                  '!src/legacy/core_plugins/**/server/**/*',
+                  '!src/legacy/core_plugins/**/index.{js,ts,tsx}',
 
                   'x-pack/legacy/plugins/**/*',
-                  '!x-pack/legacy/plugins/*/server/**/*',
-                  '!x-pack/legacy/plugins/*/index.{js,ts,tsx}',
+                  '!x-pack/legacy/plugins/**/server/**/*',
+                  '!x-pack/legacy/plugins/**/index.{js,ts,tsx}',
 
                   'examples/**/*',
                   '!examples/**/server/**/*',
diff --git a/src/core/MIGRATION.md b/src/core/MIGRATION.md
index 087888922ac9b..f8699364fa9e2 100644
--- a/src/core/MIGRATION.md
+++ b/src/core/MIGRATION.md
@@ -1231,8 +1231,8 @@ This table shows where these uiExports have moved to in the New Platform. In mos
 | `docViews`                   |                                                                                                                           |                                                                                                                                       |
 | `embeddableActions`          |                                                                                                                           | Should be an API on the embeddables plugin.                                                                                           |
 | `embeddableFactories`        |                                                                                                                           | Should be an API on the embeddables plugin.                                                                                           |
-| `fieldFormatEditors`         |                                                                                                                           |                                                                                                                                       |
-| `fieldFormats`               |                                                                                                                           |                                                                                                                                       |
+| `fieldFormatEditors`         |                                                                                                                          |                                                                                                                                       |
+| `fieldFormats`               | [`plugins.data.fieldFormats`](./src/plugins/data/public/field_formats)                                                                                                                          |                                                                                                                                       |
 | `hacks`                      | n/a                                                                                                                       | Just run the code in your plugin's `start` method.                                                                                    |
 | `home`                       | [`plugins.home.featureCatalogue.register`](./src/plugins/home/public/feature_catalogue)                                   | Must add `home` as a dependency in your kibana.json.                                                                                  |
 | `indexManagement`            |                                                                                                                           | Should be an API on the indexManagement plugin.                                                                                       |
diff --git a/src/legacy/core_plugins/kibana/index.js b/src/legacy/core_plugins/kibana/index.js
index 682a39a516e11..97729a3fce069 100644
--- a/src/legacy/core_plugins/kibana/index.js
+++ b/src/legacy/core_plugins/kibana/index.js
@@ -25,7 +25,6 @@ import { migrations } from './migrations';
 import { importApi } from './server/routes/api/import';
 import { exportApi } from './server/routes/api/export';
 import { managementApi } from './server/routes/api/management';
-import { registerFieldFormats } from './server/field_formats/register';
 import * as systemApi from './server/lib/system_api';
 import mappings from './mappings.json';
 import { getUiSettingDefaults } from './ui_setting_defaults';
@@ -331,7 +330,6 @@ export default function(kibana) {
       importApi(server);
       exportApi(server);
       managementApi(server);
-      registerFieldFormats(server);
       registerCspCollector(usageCollection, server);
       server.expose('systemApi', systemApi);
       server.injectUiAppVars('kibana', () => injectVars(server));
diff --git a/src/legacy/core_plugins/vis_type_metric/public/components/metric_vis_component.tsx b/src/legacy/core_plugins/vis_type_metric/public/components/metric_vis_component.tsx
index f8398f5c83146..3a6d60a89e610 100644
--- a/src/legacy/core_plugins/vis_type_metric/public/components/metric_vis_component.tsx
+++ b/src/legacy/core_plugins/vis_type_metric/public/components/metric_vis_component.tsx
@@ -24,7 +24,7 @@ import { isColorDark } from '@elastic/eui';
 
 import { getHeatmapColors, getFormat, Vis } from '../legacy_imports';
 import { MetricVisValue } from './metric_vis_value';
-import { FieldFormat, ContentType } from '../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../plugins/data/public';
 import { Context } from '../metric_vis_fn';
 import { KibanaDatatable } from '../../../../../plugins/expressions/public';
 import { VisParams, MetricVisMetric } from '../types';
@@ -100,9 +100,9 @@ export class MetricVisComponent extends Component<MetricVisComponentProps> {
   }
 
   private getFormattedValue = (
-    fieldFormatter: FieldFormat,
+    fieldFormatter: fieldFormats.FieldFormat,
     value: any,
-    format: ContentType = 'text'
+    format: fieldFormats.ContentType = 'text'
   ) => {
     if (isNaN(value)) return '-';
     return fieldFormatter.convert(value, format);
@@ -119,7 +119,7 @@ export class MetricVisComponent extends Component<MetricVisComponentProps> {
     const metrics: MetricVisMetric[] = [];
 
     let bucketColumnId: string;
-    let bucketFormatter: FieldFormat;
+    let bucketFormatter: fieldFormats.FieldFormat;
 
     if (dimensions.bucket) {
       bucketColumnId = table.columns[dimensions.bucket.accessor].id;
diff --git a/src/legacy/core_plugins/vis_type_metric/public/metric_vis_type.test.ts b/src/legacy/core_plugins/vis_type_metric/public/metric_vis_type.test.ts
index 649959054416c..c2b7e6da3f7bd 100644
--- a/src/legacy/core_plugins/vis_type_metric/public/metric_vis_type.test.ts
+++ b/src/legacy/core_plugins/vis_type_metric/public/metric_vis_type.test.ts
@@ -24,7 +24,7 @@ import { npStart } from 'ui/new_platform';
 import getStubIndexPattern from 'fixtures/stubbed_logstash_index_pattern';
 
 import { Vis } from '../../visualizations/public';
-import { UrlFormat } from '../../../../plugins/data/public';
+import { fieldFormats } from '../../../../plugins/data/public';
 import {
   setup as visualizationsSetup,
   start as visualizationsStart,
@@ -39,7 +39,7 @@ describe('metric_vis - createMetricVisTypeDefinition', () => {
   beforeAll(() => {
     visualizationsSetup.types.createReactVisualization(metricVisTypeDefinition);
     (npStart.plugins.data.fieldFormats.getType as jest.Mock).mockImplementation(() => {
-      return UrlFormat;
+      return fieldFormats.UrlFormat;
     });
   });
 
diff --git a/src/legacy/core_plugins/vis_type_timeseries/public/components/vis_types/table/vis.js b/src/legacy/core_plugins/vis_type_timeseries/public/components/vis_types/table/vis.js
index 10fc34fccd2cc..a82d5bdb1588c 100644
--- a/src/legacy/core_plugins/vis_type_timeseries/public/components/vis_types/table/vis.js
+++ b/src/legacy/core_plugins/vis_type_timeseries/public/components/vis_types/table/vis.js
@@ -26,7 +26,7 @@ import { calculateLabel } from '../../../../common/calculate_label';
 import { isSortable } from './is_sortable';
 import { EuiToolTip, EuiIcon } from '@elastic/eui';
 import { replaceVars } from '../../lib/replace_vars';
-import { FIELD_FORMAT_IDS } from '../../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../../plugins/data/public';
 import { FormattedMessage } from '@kbn/i18n/react';
 
 import { METRIC_TYPES } from '../../../../common/metric_types';
@@ -49,8 +49,8 @@ export class TableVis extends Component {
   constructor(props) {
     super(props);
 
-    const fieldFormats = npStart.plugins.data.fieldFormats;
-    const DateFormat = fieldFormats.getType(FIELD_FORMAT_IDS.DATE);
+    const fieldFormatsService = npStart.plugins.data.fieldFormats;
+    const DateFormat = fieldFormatsService.getType(fieldFormats.FIELD_FORMAT_IDS.DATE);
 
     this.dateFormatter = new DateFormat({}, this.props.getConfig);
   }
diff --git a/src/legacy/ui/field_formats/index.ts b/src/legacy/ui/field_formats/index.ts
deleted file mode 100644
index e5cc2cb33d087..0000000000000
--- a/src/legacy/ui/field_formats/index.ts
+++ /dev/null
@@ -1,20 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-export { fieldFormatsMixin } from './mixin/field_formats_mixin';
diff --git a/src/legacy/ui/field_formats/mixin/field_formats_mixin.ts b/src/legacy/ui/field_formats/mixin/field_formats_mixin.ts
deleted file mode 100644
index 370c312706242..0000000000000
--- a/src/legacy/ui/field_formats/mixin/field_formats_mixin.ts
+++ /dev/null
@@ -1,45 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-import { has } from 'lodash';
-import { Legacy } from 'kibana';
-import { FieldFormatsService } from './field_formats_service';
-import { IFieldFormatType } from '../../../../plugins/data/public';
-
-export function fieldFormatsMixin(kbnServer: any, server: Legacy.Server) {
-  const fieldFormatClasses: IFieldFormatType[] = [];
-
-  // for use outside of the request context, for special cases
-  server.decorate('server', 'fieldFormatServiceFactory', async function(uiSettings) {
-    const uiConfigs = await uiSettings.getAll();
-    const registeredUiSettings = uiSettings.getRegistered();
-    Object.keys(registeredUiSettings).forEach(key => {
-      if (has(uiConfigs, key) && registeredUiSettings[key].type === 'json') {
-        uiConfigs[key] = JSON.parse(uiConfigs[key]);
-      }
-    });
-    const getConfig = (key: string) => uiConfigs[key];
-
-    return new FieldFormatsService(fieldFormatClasses, getConfig);
-  });
-
-  server.decorate('server', 'registerFieldFormat', customFieldFormat => {
-    fieldFormatClasses.push(customFieldFormat);
-  });
-}
diff --git a/src/legacy/ui/field_formats/mixin/field_formats_service.test.ts b/src/legacy/ui/field_formats/mixin/field_formats_service.test.ts
deleted file mode 100644
index 4ca181d3f69d4..0000000000000
--- a/src/legacy/ui/field_formats/mixin/field_formats_service.test.ts
+++ /dev/null
@@ -1,56 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-import { FieldFormatsService } from './field_formats_service';
-import { NumberFormat } from '../../../../plugins/data/public';
-
-const getConfig = (key: string) => {
-  switch (key) {
-    case 'format:defaultTypeMap':
-      return {
-        number: { id: 'number', params: {} },
-        _default_: { id: 'string', params: {} },
-      };
-    case 'format:number:defaultPattern':
-      return '0,0.[000]';
-  }
-};
-
-describe('FieldFormatsService', () => {
-  let fieldFormatsService: FieldFormatsService;
-
-  beforeEach(() => {
-    const fieldFormatClasses = [NumberFormat];
-
-    fieldFormatsService = new FieldFormatsService(fieldFormatClasses, getConfig);
-  });
-
-  test('FieldFormats are accessible via getType method', () => {
-    const Type = fieldFormatsService.getType('number');
-
-    expect(Type.id).toBe('number');
-  });
-
-  test('getDefaultInstance returns default FieldFormat instance for fieldType', () => {
-    const instance = fieldFormatsService.getDefaultInstance('number');
-
-    expect(instance.type.id).toBe('number');
-    expect(instance.convert('0.33333')).toBe('0.333');
-  });
-});
diff --git a/src/legacy/ui/field_formats/mixin/field_formats_service.ts b/src/legacy/ui/field_formats/mixin/field_formats_service.ts
deleted file mode 100644
index c5bc25333985b..0000000000000
--- a/src/legacy/ui/field_formats/mixin/field_formats_service.ts
+++ /dev/null
@@ -1,79 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-import { indexBy, Dictionary } from 'lodash';
-import { FieldFormat, IFieldFormatType } from '../../../../plugins/data/common';
-
-interface FieldFormatConfig {
-  id: string;
-  params?: Record<string, any>;
-}
-
-export class FieldFormatsService {
-  getConfig: any;
-  _fieldFormats: Dictionary<IFieldFormatType>;
-
-  constructor(fieldFormatClasses: IFieldFormatType[], getConfig: Function) {
-    this._fieldFormats = indexBy(fieldFormatClasses, 'id');
-    this.getConfig = getConfig;
-  }
-
-  /**
-   * Get the id of the default type for this field type
-   * using the format:defaultTypeMap config map
-   *
-   * @param  {String} fieldType - the field type
-   * @return {FieldFormatConfig}
-   */
-  getDefaultConfig(fieldType: string): FieldFormatConfig {
-    const defaultMap = this.getConfig('format:defaultTypeMap');
-    return defaultMap[fieldType] || defaultMap._default_;
-  }
-
-  /**
-   * Get the default fieldFormat instance for a field type.
-   *
-   * @param  {String} fieldType
-   * @return {FieldFormat}
-   */
-  getDefaultInstance(fieldType: string): FieldFormat {
-    return this.getInstance(this.getDefaultConfig(fieldType));
-  }
-
-  /**
-   * Get the fieldFormat instance for a field format configuration.
-   *
-   * @param  {FieldFormatConfig} field format config
-   * @return {FieldFormat}
-   */
-  getInstance(conf: FieldFormatConfig): FieldFormat {
-    // @ts-ignore
-    return new this._fieldFormats[conf.id](conf.params, this.getConfig);
-  }
-
-  /**
-   * Get a FieldFormat type (class) by it's id.
-   *
-   * @param  {String} fieldFormatId - the FieldFormat id
-   * @return {FieldFormat}
-   */
-  getType(fieldFormatId: string): any {
-    return this._fieldFormats[fieldFormatId];
-  }
-}
diff --git a/src/legacy/ui/public/agg_types/agg_config.ts b/src/legacy/ui/public/agg_types/agg_config.ts
index c8ce8638fe462..efe286c41e17c 100644
--- a/src/legacy/ui/public/agg_types/agg_config.ts
+++ b/src/legacy/ui/public/agg_types/agg_config.ts
@@ -34,9 +34,9 @@ import { AggConfigs } from './agg_configs';
 import { Schema } from '../vis/editors/default/schemas';
 import {
   ISearchSource,
-  ContentType,
-  KBN_FIELD_TYPES,
   FetchOptions,
+  fieldFormats,
+  KBN_FIELD_TYPES,
 } from '../../../../plugins/data/public';
 
 export interface AggConfigOptions {
@@ -375,7 +375,7 @@ export class AggConfig {
     return this.aggConfigs.timeRange;
   }
 
-  fieldFormatter(contentType?: ContentType, defaultFormat?: any) {
+  fieldFormatter(contentType?: fieldFormats.ContentType, defaultFormat?: any) {
     const format = this.type && this.type.getFormat(this);
 
     if (format) {
@@ -385,12 +385,12 @@ export class AggConfig {
     return this.fieldOwnFormatter(contentType, defaultFormat);
   }
 
-  fieldOwnFormatter(contentType?: ContentType, defaultFormat?: any) {
-    const fieldFormats = npStart.plugins.data.fieldFormats;
+  fieldOwnFormatter(contentType?: fieldFormats.ContentType, defaultFormat?: any) {
+    const fieldFormatsService = npStart.plugins.data.fieldFormats;
     const field = this.getField();
     let format = field && field.format;
     if (!format) format = defaultFormat;
-    if (!format) format = fieldFormats.getDefaultInstance(KBN_FIELD_TYPES.STRING);
+    if (!format) format = fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.STRING);
     return format.getConverterFor(contentType);
   }
 
diff --git a/src/legacy/ui/public/agg_types/agg_type.ts b/src/legacy/ui/public/agg_types/agg_type.ts
index 952410ae0db49..f9b48c373e02f 100644
--- a/src/legacy/ui/public/agg_types/agg_type.ts
+++ b/src/legacy/ui/public/agg_types/agg_type.ts
@@ -27,7 +27,7 @@ import { AggConfigs } from './agg_configs';
 import { Adapters } from '../inspector';
 import { BaseParamType } from './param_types/base';
 import { AggParamType } from '../agg_types/param_types/agg';
-import { KBN_FIELD_TYPES, FieldFormat, ISearchSource } from '../../../../plugins/data/public';
+import { KBN_FIELD_TYPES, fieldFormats, ISearchSource } from '../../../../plugins/data/public';
 
 export interface AggTypeConfig<
   TAggConfig extends AggConfig = AggConfig,
@@ -54,16 +54,16 @@ export interface AggTypeConfig<
     inspectorAdapters: Adapters,
     abortSignal?: AbortSignal
   ) => Promise<any>;
-  getFormat?: (agg: TAggConfig) => FieldFormat;
+  getFormat?: (agg: TAggConfig) => fieldFormats.FieldFormat;
   getValue?: (agg: TAggConfig, bucket: any) => any;
   getKey?: (bucket: any, key: any, agg: TAggConfig) => any;
 }
 
 const getFormat = (agg: AggConfig) => {
   const field = agg.getField();
-  const fieldFormats = npStart.plugins.data.fieldFormats;
+  const fieldFormatsService = npStart.plugins.data.fieldFormats;
 
-  return field ? field.format : fieldFormats.getDefaultInstance(KBN_FIELD_TYPES.STRING);
+  return field ? field.format : fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.STRING);
 };
 
 export class AggType<
@@ -191,7 +191,7 @@ export class AggType<
    * @param  {agg} agg - the agg to pick a format for
    * @return {FieldFormat}
    */
-  getFormat: (agg: TAggConfig) => FieldFormat;
+  getFormat: (agg: TAggConfig) => fieldFormats.FieldFormat;
 
   getValue: (agg: TAggConfig, bucket: any) => any;
 
diff --git a/src/legacy/ui/public/agg_types/buckets/create_filter/date_range.test.ts b/src/legacy/ui/public/agg_types/buckets/create_filter/date_range.test.ts
index ddb4102563a7c..9c2c4f72704f4 100644
--- a/src/legacy/ui/public/agg_types/buckets/create_filter/date_range.test.ts
+++ b/src/legacy/ui/public/agg_types/buckets/create_filter/date_range.test.ts
@@ -19,7 +19,7 @@
 
 import moment from 'moment';
 import { createFilterDateRange } from './date_range';
-import { DateFormat } from '../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../plugins/data/public';
 import { AggConfigs } from '../../agg_configs';
 import { BUCKET_TYPES } from '../bucket_agg_types';
 import { IBucketAggConfig } from '../_bucket_agg_type';
@@ -28,10 +28,11 @@ jest.mock('ui/new_platform');
 
 describe('AggConfig Filters', () => {
   describe('Date range', () => {
+    const getConfig = (() => {}) as fieldFormats.GetConfigFn;
     const getAggConfigs = () => {
       const field = {
         name: '@timestamp',
-        format: new DateFormat({}, () => {}),
+        format: new fieldFormats.DateFormat({}, getConfig),
       };
 
       const indexPattern = {
diff --git a/src/legacy/ui/public/agg_types/buckets/create_filter/histogram.test.ts b/src/legacy/ui/public/agg_types/buckets/create_filter/histogram.test.ts
index d07cf84aef4d9..ef49636f9e0c1 100644
--- a/src/legacy/ui/public/agg_types/buckets/create_filter/histogram.test.ts
+++ b/src/legacy/ui/public/agg_types/buckets/create_filter/histogram.test.ts
@@ -20,16 +20,17 @@ import { createFilterHistogram } from './histogram';
 import { AggConfigs } from '../../agg_configs';
 import { BUCKET_TYPES } from '../bucket_agg_types';
 import { IBucketAggConfig } from '../_bucket_agg_type';
-import { BytesFormat } from '../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../plugins/data/public';
 
 jest.mock('ui/new_platform');
 
 describe('AggConfig Filters', () => {
   describe('histogram', () => {
+    const getConfig = (() => {}) as fieldFormats.GetConfigFn;
     const getAggConfigs = () => {
       const field = {
         name: 'bytes',
-        format: new BytesFormat({}, () => {}),
+        format: new fieldFormats.BytesFormat({}, getConfig),
       };
 
       const indexPattern = {
diff --git a/src/legacy/ui/public/agg_types/buckets/create_filter/ip_range.test.ts b/src/legacy/ui/public/agg_types/buckets/create_filter/ip_range.test.ts
index bf6b437f17cf2..a9eca3bbb7a56 100644
--- a/src/legacy/ui/public/agg_types/buckets/create_filter/ip_range.test.ts
+++ b/src/legacy/ui/public/agg_types/buckets/create_filter/ip_range.test.ts
@@ -19,7 +19,7 @@
 
 import { createFilterIpRange } from './ip_range';
 import { AggConfigs } from '../../agg_configs';
-import { IpFormat } from '../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../plugins/data/public';
 import { BUCKET_TYPES } from '../bucket_agg_types';
 import { IBucketAggConfig } from '../_bucket_agg_type';
 
@@ -30,7 +30,7 @@ describe('AggConfig Filters', () => {
     const getAggConfigs = (aggs: Array<Record<string, any>>) => {
       const field = {
         name: 'ip',
-        format: IpFormat,
+        format: fieldFormats.IpFormat,
       };
 
       const indexPattern = {
diff --git a/src/legacy/ui/public/agg_types/buckets/create_filter/range.test.ts b/src/legacy/ui/public/agg_types/buckets/create_filter/range.test.ts
index dc02b773edc42..720e952c28821 100644
--- a/src/legacy/ui/public/agg_types/buckets/create_filter/range.test.ts
+++ b/src/legacy/ui/public/agg_types/buckets/create_filter/range.test.ts
@@ -18,7 +18,7 @@
  */
 
 import { createFilterRange } from './range';
-import { BytesFormat } from '../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../plugins/data/public';
 import { AggConfigs } from '../../agg_configs';
 import { BUCKET_TYPES } from '../bucket_agg_types';
 import { IBucketAggConfig } from '../_bucket_agg_type';
@@ -27,10 +27,11 @@ jest.mock('ui/new_platform');
 
 describe('AggConfig Filters', () => {
   describe('range', () => {
+    const getConfig = (() => {}) as fieldFormats.GetConfigFn;
     const getAggConfigs = () => {
       const field = {
         name: 'bytes',
-        format: new BytesFormat({}, () => {}),
+        format: new fieldFormats.BytesFormat({}, getConfig),
       };
 
       const indexPattern = {
diff --git a/src/legacy/ui/public/agg_types/buckets/date_range.ts b/src/legacy/ui/public/agg_types/buckets/date_range.ts
index ad54e95ffb7b1..4144765b15068 100644
--- a/src/legacy/ui/public/agg_types/buckets/date_range.ts
+++ b/src/legacy/ui/public/agg_types/buckets/date_range.ts
@@ -25,11 +25,7 @@ import { BucketAggType, IBucketAggConfig } from './_bucket_agg_type';
 import { createFilterDateRange } from './create_filter/date_range';
 import { DateRangesParamEditor } from '../../vis/editors/default/controls/date_ranges';
 
-import {
-  KBN_FIELD_TYPES,
-  TEXT_CONTEXT_TYPE,
-  FieldFormat,
-} from '../../../../../plugins/data/public';
+import { KBN_FIELD_TYPES, fieldFormats } from '../../../../../plugins/data/public';
 
 const dateRangeTitle = i18n.translate('common.ui.aggTypes.buckets.dateRangeTitle', {
   defaultMessage: 'Date Range',
@@ -48,13 +44,13 @@ export const dateRangeBucketAgg = new BucketAggType({
     return { from, to };
   },
   getFormat(agg) {
-    const fieldFormats = npStart.plugins.data.fieldFormats;
+    const fieldFormatsService = npStart.plugins.data.fieldFormats;
 
     const formatter = agg.fieldOwnFormatter(
-      TEXT_CONTEXT_TYPE,
-      fieldFormats.getDefaultInstance(KBN_FIELD_TYPES.DATE)
+      fieldFormats.TEXT_CONTEXT_TYPE,
+      fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.DATE)
     );
-    const DateRangeFormat = FieldFormat.from(function(range: DateRangeKey) {
+    const DateRangeFormat = fieldFormats.FieldFormat.from(function(range: DateRangeKey) {
       return convertDateRangeToString(range, formatter);
     });
     return new DateRangeFormat();
diff --git a/src/legacy/ui/public/agg_types/buckets/ip_range.ts b/src/legacy/ui/public/agg_types/buckets/ip_range.ts
index 609cd8adb5c39..e730970b9ea05 100644
--- a/src/legacy/ui/public/agg_types/buckets/ip_range.ts
+++ b/src/legacy/ui/public/agg_types/buckets/ip_range.ts
@@ -27,11 +27,7 @@ import { BUCKET_TYPES } from './bucket_agg_types';
 
 // @ts-ignore
 import { createFilterIpRange } from './create_filter/ip_range';
-import {
-  KBN_FIELD_TYPES,
-  TEXT_CONTEXT_TYPE,
-  FieldFormat,
-} from '../../../../../plugins/data/public';
+import { KBN_FIELD_TYPES, fieldFormats } from '../../../../../plugins/data/public';
 
 const ipRangeTitle = i18n.translate('common.ui.aggTypes.buckets.ipRangeTitle', {
   defaultMessage: 'IPv4 Range',
@@ -52,12 +48,12 @@ export const ipRangeBucketAgg = new BucketAggType({
     return { type: 'range', from: bucket.from, to: bucket.to };
   },
   getFormat(agg) {
-    const fieldFormats = npStart.plugins.data.fieldFormats;
+    const fieldFormatsService = npStart.plugins.data.fieldFormats;
     const formatter = agg.fieldOwnFormatter(
-      TEXT_CONTEXT_TYPE,
-      fieldFormats.getDefaultInstance(KBN_FIELD_TYPES.IP)
+      fieldFormats.TEXT_CONTEXT_TYPE,
+      fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.IP)
     );
-    const IpRangeFormat = FieldFormat.from(function(range: IpRangeKey) {
+    const IpRangeFormat = fieldFormats.FieldFormat.from(function(range: IpRangeKey) {
       return convertIPRangeToString(range, formatter);
     });
     return new IpRangeFormat();
diff --git a/src/legacy/ui/public/agg_types/buckets/range.test.ts b/src/legacy/ui/public/agg_types/buckets/range.test.ts
index 5db7eb3c2d8e9..dd85c3b31939f 100644
--- a/src/legacy/ui/public/agg_types/buckets/range.test.ts
+++ b/src/legacy/ui/public/agg_types/buckets/range.test.ts
@@ -19,7 +19,7 @@
 
 import { AggConfigs } from '../agg_configs';
 import { BUCKET_TYPES } from './bucket_agg_types';
-import { NumberFormat } from '../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../plugins/data/public';
 
 jest.mock('ui/new_platform');
 
@@ -44,14 +44,15 @@ const buckets = [
 ];
 
 describe('Range Agg', () => {
+  const getConfig = (() => {}) as fieldFormats.GetConfigFn;
   const getAggConfigs = () => {
     const field = {
       name: 'bytes',
-      format: new NumberFormat(
+      format: new fieldFormats.NumberFormat(
         {
           pattern: '0,0.[000] b',
         },
-        () => {}
+        getConfig
       ),
     };
 
diff --git a/src/legacy/ui/public/agg_types/buckets/range.ts b/src/legacy/ui/public/agg_types/buckets/range.ts
index 24757a607e005..7f93127d948ce 100644
--- a/src/legacy/ui/public/agg_types/buckets/range.ts
+++ b/src/legacy/ui/public/agg_types/buckets/range.ts
@@ -19,7 +19,7 @@
 
 import { i18n } from '@kbn/i18n';
 import { BucketAggType } from './_bucket_agg_type';
-import { FieldFormat, KBN_FIELD_TYPES } from '../../../../../plugins/data/public';
+import { fieldFormats, KBN_FIELD_TYPES } from '../../../../../plugins/data/public';
 import { RangeKey } from './range_key';
 import { RangesEditor } from './range_editor';
 
@@ -68,7 +68,7 @@ export const rangeBucketAgg = new BucketAggType({
     let aggFormat = formats.get(agg);
     if (aggFormat) return aggFormat;
 
-    const RangeFormat = FieldFormat.from((range: any) => {
+    const RangeFormat = fieldFormats.FieldFormat.from((range: any) => {
       const format = agg.fieldOwnFormatter();
       const gte = '\u2265';
       const lt = '\u003c';
diff --git a/src/legacy/ui/public/agg_types/buckets/terms.ts b/src/legacy/ui/public/agg_types/buckets/terms.ts
index fe2c7cb427fee..3a7a529700239 100644
--- a/src/legacy/ui/public/agg_types/buckets/terms.ts
+++ b/src/legacy/ui/public/agg_types/buckets/terms.ts
@@ -38,12 +38,7 @@ import { OtherBucketParamEditor } from '../../vis/editors/default/controls/other
 import { AggConfigs } from '../agg_configs';
 
 import { Adapters } from '../../../../../plugins/inspector/public';
-import {
-  ContentType,
-  ISearchSource,
-  FieldFormat,
-  KBN_FIELD_TYPES,
-} from '../../../../../plugins/data/public';
+import { ISearchSource, fieldFormats, KBN_FIELD_TYPES } from '../../../../../plugins/data/public';
 
 // @ts-ignore
 import { Schemas } from '../../vis/editors/default/schemas';
@@ -77,9 +72,9 @@ export const termsBucketAgg = new BucketAggType({
     const params = agg.params;
     return agg.getFieldDisplayName() + ': ' + params.order.text;
   },
-  getFormat(bucket): FieldFormat {
+  getFormat(bucket): fieldFormats.FieldFormat {
     return {
-      getConverterFor: (type: ContentType) => {
+      getConverterFor: (type: fieldFormats.ContentType) => {
         return (val: any) => {
           if (val === '__other__') {
             return bucket.params.otherBucketLabel;
@@ -91,7 +86,7 @@ export const termsBucketAgg = new BucketAggType({
           return bucket.params.field.format.convert(val, type);
         };
       },
-    } as FieldFormat;
+    } as fieldFormats.FieldFormat;
   },
   createFilter: createFilterTerms,
   postFlightRequest: async (
diff --git a/src/legacy/ui/public/agg_types/metrics/cardinality.ts b/src/legacy/ui/public/agg_types/metrics/cardinality.ts
index 301ae2c80116c..c69ffae3b4871 100644
--- a/src/legacy/ui/public/agg_types/metrics/cardinality.ts
+++ b/src/legacy/ui/public/agg_types/metrics/cardinality.ts
@@ -37,9 +37,9 @@ export const cardinalityMetricAgg = new MetricAggType({
     });
   },
   getFormat() {
-    const fieldFormats = npStart.plugins.data.fieldFormats;
+    const fieldFormatsService = npStart.plugins.data.fieldFormats;
 
-    return fieldFormats.getDefaultInstance(KBN_FIELD_TYPES.NUMBER);
+    return fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.NUMBER);
   },
   params: [
     {
diff --git a/src/legacy/ui/public/agg_types/metrics/count.ts b/src/legacy/ui/public/agg_types/metrics/count.ts
index b5b844e8658d6..22a939cd9a3fd 100644
--- a/src/legacy/ui/public/agg_types/metrics/count.ts
+++ b/src/legacy/ui/public/agg_types/metrics/count.ts
@@ -35,9 +35,9 @@ export const countMetricAgg = new MetricAggType({
     });
   },
   getFormat() {
-    const fieldFormats = npStart.plugins.data.fieldFormats;
+    const fieldFormatsService = npStart.plugins.data.fieldFormats;
 
-    return fieldFormats.getDefaultInstance(KBN_FIELD_TYPES.NUMBER);
+    return fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.NUMBER);
   },
   getValue(agg, bucket) {
     return bucket.doc_count;
diff --git a/src/legacy/ui/public/agg_types/metrics/metric_agg_type.ts b/src/legacy/ui/public/agg_types/metrics/metric_agg_type.ts
index 29499c5be84b8..5cd3dffb10b9d 100644
--- a/src/legacy/ui/public/agg_types/metrics/metric_agg_type.ts
+++ b/src/legacy/ui/public/agg_types/metrics/metric_agg_type.ts
@@ -74,9 +74,11 @@ export class MetricAggType<TMetricAggConfig extends AggConfig = IMetricAggConfig
     this.getFormat =
       config.getFormat ||
       (agg => {
-        const registeredFormats = npStart.plugins.data.fieldFormats;
+        const fieldFormatsService = npStart.plugins.data.fieldFormats;
         const field = agg.getField();
-        return field ? field.format : registeredFormats.getDefaultInstance(KBN_FIELD_TYPES.NUMBER);
+        return field
+          ? field.format
+          : fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.NUMBER);
       });
 
     this.subtype =
diff --git a/src/legacy/ui/public/agg_types/metrics/percentile_ranks.ts b/src/legacy/ui/public/agg_types/metrics/percentile_ranks.ts
index 1a1d5bf04309f..436f9cd66764d 100644
--- a/src/legacy/ui/public/agg_types/metrics/percentile_ranks.ts
+++ b/src/legacy/ui/public/agg_types/metrics/percentile_ranks.ts
@@ -25,7 +25,7 @@ import { getResponseAggConfigClass, IResponseAggConfig } from './lib/get_respons
 
 import { getPercentileValue } from './percentiles_get_value';
 import { METRIC_TYPES } from './metric_agg_types';
-import { FIELD_FORMAT_IDS, KBN_FIELD_TYPES } from '../../../../../plugins/data/public';
+import { fieldFormats, KBN_FIELD_TYPES } from '../../../../../plugins/data/public';
 
 // required by the values editor
 
@@ -35,10 +35,10 @@ const getFieldFormats = () => npStart.plugins.data.fieldFormats;
 
 const valueProps = {
   makeLabel(this: IPercentileRanksAggConfig) {
-    const fieldFormats = getFieldFormats();
+    const fieldFormatsService = getFieldFormats();
     const field = this.getField();
     const format =
-      (field && field.format) || fieldFormats.getDefaultInstance(KBN_FIELD_TYPES.NUMBER);
+      (field && field.format) || fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.NUMBER);
     const customLabel = this.getParam('customLabel');
     const label = customLabel || this.getFieldDisplayName();
 
@@ -84,10 +84,10 @@ export const percentileRanksMetricAgg = new MetricAggType<IPercentileRanksAggCon
     return values.map((value: any) => new ValueAggConfig(value));
   },
   getFormat() {
-    const fieldFormats = getFieldFormats();
+    const fieldFormatsService = getFieldFormats();
     return (
-      fieldFormats.getInstance(FIELD_FORMAT_IDS.PERCENT) ||
-      fieldFormats.getDefaultInstance(KBN_FIELD_TYPES.NUMBER)
+      fieldFormatsService.getInstance(fieldFormats.FIELD_FORMAT_IDS.PERCENT) ||
+      fieldFormatsService.getDefaultInstance(KBN_FIELD_TYPES.NUMBER)
     );
   },
   getValue(agg, bucket) {
diff --git a/src/legacy/ui/public/field_editor/components/field_format_editor/editors/color/color.js b/src/legacy/ui/public/field_editor/components/field_format_editor/editors/color/color.js
index 231cc26553037..4ad04f08915e7 100644
--- a/src/legacy/ui/public/field_editor/components/field_format_editor/editors/color/color.js
+++ b/src/legacy/ui/public/field_editor/components/field_format_editor/editors/color/color.js
@@ -23,7 +23,7 @@ import { EuiBasicTable, EuiButton, EuiColorPicker, EuiFieldText, EuiSpacer } fro
 
 import { DefaultFormatEditor } from '../default';
 
-import { DEFAULT_CONVERTER_COLOR } from '../../../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../../../plugins/data/public';
 
 import { i18n } from '@kbn/i18n';
 import { FormattedMessage } from '@kbn/i18n/react';
@@ -50,7 +50,7 @@ export class ColorFormatEditor extends DefaultFormatEditor {
   addColor = () => {
     const colors = [...this.props.formatParams.colors];
     this.onChange({
-      colors: [...colors, { ...DEFAULT_CONVERTER_COLOR }],
+      colors: [...colors, { ...fieldFormats.DEFAULT_CONVERTER_COLOR }],
     });
   };
 
diff --git a/src/legacy/ui/public/field_editor/components/field_format_editor/editors/color/color.test.js b/src/legacy/ui/public/field_editor/components/field_format_editor/editors/color/color.test.js
index 6618b624be1d0..486b1e34dcade 100644
--- a/src/legacy/ui/public/field_editor/components/field_format_editor/editors/color/color.test.js
+++ b/src/legacy/ui/public/field_editor/components/field_format_editor/editors/color/color.test.js
@@ -21,14 +21,14 @@ import React from 'react';
 import { shallowWithI18nProvider } from 'test_utils/enzyme_helpers';
 
 import { ColorFormatEditor } from './color';
-import { DEFAULT_CONVERTER_COLOR } from '../../../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../../../plugins/data/public';
 
 const fieldType = 'string';
 const format = {
   getConverterFor: jest.fn(),
 };
 const formatParams = {
-  colors: [{ ...DEFAULT_CONVERTER_COLOR }],
+  colors: [{ ...fieldFormats.DEFAULT_CONVERTER_COLOR }],
 };
 const onChange = jest.fn();
 const onError = jest.fn();
diff --git a/src/legacy/ui/public/field_editor/lib/__tests__/get_default_format.test.js b/src/legacy/ui/public/field_editor/lib/__tests__/get_default_format.test.js
index e4084797c1b1e..96f574bf54ca6 100644
--- a/src/legacy/ui/public/field_editor/lib/__tests__/get_default_format.test.js
+++ b/src/legacy/ui/public/field_editor/lib/__tests__/get_default_format.test.js
@@ -18,7 +18,7 @@
  */
 
 import { getDefaultFormat } from '../get_default_format';
-import { NumberFormat } from '../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../plugins/data/public';
 
 const getConfig = () => {
   return '0,0.[000]';
@@ -26,12 +26,12 @@ const getConfig = () => {
 
 describe('getDefaultFormat', () => {
   it('should create default format', () => {
-    const DefaultFormat = getDefaultFormat(NumberFormat);
+    const DefaultFormat = getDefaultFormat(fieldFormats.NumberFormat);
     const defaultFormatObject = new DefaultFormat(null, getConfig);
-    const formatObject = new NumberFormat(null, getConfig);
+    const formatObject = new fieldFormats.NumberFormat(null, getConfig);
 
     expect(DefaultFormat.id).toEqual('');
-    expect(DefaultFormat.resolvedTitle).toEqual(NumberFormat.title);
+    expect(DefaultFormat.resolvedTitle).toEqual(fieldFormats.NumberFormat.title);
     expect(DefaultFormat.title).toEqual('- Default -');
     expect(JSON.stringify(defaultFormatObject.params())).toEqual(
       JSON.stringify(formatObject.params())
diff --git a/src/legacy/ui/public/time_buckets/time_buckets.js b/src/legacy/ui/public/time_buckets/time_buckets.js
index 96ba4bfb2ac2c..50a57d866099e 100644
--- a/src/legacy/ui/public/time_buckets/time_buckets.js
+++ b/src/legacy/ui/public/time_buckets/time_buckets.js
@@ -25,7 +25,7 @@ import {
   convertDurationToNormalizedEsInterval,
   convertIntervalToEsInterval,
 } from './calc_es_interval';
-import { FIELD_FORMAT_IDS, parseInterval } from '../../../../plugins/data/public';
+import { fieldFormats, parseInterval } from '../../../../plugins/data/public';
 
 const getConfig = (...args) => npStart.core.uiSettings.get(...args);
 
@@ -308,8 +308,8 @@ TimeBuckets.prototype.getScaledDateFormat = function() {
 };
 
 TimeBuckets.prototype.getScaledDateFormatter = function() {
-  const fieldFormats = npStart.plugins.data.fieldFormats;
-  const DateFieldFormat = fieldFormats.getType(FIELD_FORMAT_IDS.DATE);
+  const fieldFormatsService = npStart.plugins.data.fieldFormats;
+  const DateFieldFormat = fieldFormatsService.getType(fieldFormats.FIELD_FORMAT_IDS.DATE);
 
   return new DateFieldFormat(
     {
diff --git a/src/legacy/ui/public/visualize/loader/pipeline_helpers/utilities.ts b/src/legacy/ui/public/visualize/loader/pipeline_helpers/utilities.ts
index 0b99810a85afe..bde865f504fdb 100644
--- a/src/legacy/ui/public/visualize/loader/pipeline_helpers/utilities.ts
+++ b/src/legacy/ui/public/visualize/loader/pipeline_helpers/utilities.ts
@@ -22,8 +22,7 @@ import { identity } from 'lodash';
 import { AggConfig, Vis } from 'ui/vis';
 import { npStart } from 'ui/new_platform';
 import { SerializedFieldFormat } from 'src/plugins/expressions/public';
-
-import { IFieldFormatId, FieldFormat, ContentType } from '../../../../../../plugins/data/public';
+import { fieldFormats } from '../../../../../../plugins/data/public';
 
 import { tabifyGetColumns } from '../../../agg_response/tabify/_get_columns';
 import { DateRangeKey, convertDateRangeToString } from '../../../agg_types/buckets/date_range';
@@ -43,13 +42,16 @@ function isTermsFieldFormat(
 
 const getConfig = (key: string, defaultOverride?: any): any =>
   npStart.core.uiSettings.get(key, defaultOverride);
-const DefaultFieldFormat = FieldFormat.from(identity);
+const DefaultFieldFormat = fieldFormats.FieldFormat.from(identity);
 
-const getFieldFormat = (id?: IFieldFormatId, params: object = {}): FieldFormat => {
-  const fieldFormats = npStart.plugins.data.fieldFormats;
+const getFieldFormat = (
+  id?: fieldFormats.IFieldFormatId,
+  params: object = {}
+): fieldFormats.FieldFormat => {
+  const fieldFormatsService = npStart.plugins.data.fieldFormats;
 
   if (id) {
-    const Format = fieldFormats.getType(id);
+    const Format = fieldFormatsService.getType(id);
 
     if (Format) {
       return new Format(params, getConfig);
@@ -91,7 +93,7 @@ export const createFormat = (agg: AggConfig): SerializedFieldFormat => {
   return formats[agg.type.name] ? formats[agg.type.name]() : format;
 };
 
-export type FormatFactory = (mapping?: SerializedFieldFormat) => FieldFormat;
+export type FormatFactory = (mapping?: SerializedFieldFormat) => fieldFormats.FieldFormat;
 
 export const getFormat: FormatFactory = mapping => {
   if (!mapping) {
@@ -99,7 +101,7 @@ export const getFormat: FormatFactory = mapping => {
   }
   const { id } = mapping;
   if (id === 'range') {
-    const RangeFormat = FieldFormat.from((range: any) => {
+    const RangeFormat = fieldFormats.FieldFormat.from((range: any) => {
       const format = getFieldFormat(id, mapping.params);
       const gte = '\u2265';
       const lt = '\u003c';
@@ -116,21 +118,21 @@ export const getFormat: FormatFactory = mapping => {
     return new RangeFormat();
   } else if (id === 'date_range') {
     const nestedFormatter = mapping.params as SerializedFieldFormat;
-    const DateRangeFormat = FieldFormat.from((range: DateRangeKey) => {
+    const DateRangeFormat = fieldFormats.FieldFormat.from((range: DateRangeKey) => {
       const format = getFieldFormat(nestedFormatter.id, nestedFormatter.params);
       return convertDateRangeToString(range, format.convert.bind(format));
     });
     return new DateRangeFormat();
   } else if (id === 'ip_range') {
     const nestedFormatter = mapping.params as SerializedFieldFormat;
-    const IpRangeFormat = FieldFormat.from((range: IpRangeKey) => {
+    const IpRangeFormat = fieldFormats.FieldFormat.from((range: IpRangeKey) => {
       const format = getFieldFormat(nestedFormatter.id, nestedFormatter.params);
       return convertIPRangeToString(range, format.convert.bind(format));
     });
     return new IpRangeFormat();
   } else if (isTermsFieldFormat(mapping) && mapping.params) {
     const { params } = mapping;
-    const convert = (val: string, type: ContentType) => {
+    const convert = (val: string, type: fieldFormats.ContentType) => {
       const format = getFieldFormat(params.id, mapping.params);
 
       if (val === '__other__') {
@@ -145,8 +147,8 @@ export const getFormat: FormatFactory = mapping => {
 
     return {
       convert,
-      getConverterFor: (type: ContentType) => (val: string) => convert(val, type),
-    } as FieldFormat;
+      getConverterFor: (type: fieldFormats.ContentType) => (val: string) => convert(val, type),
+    } as fieldFormats.FieldFormat;
   } else {
     return getFieldFormat(id, mapping.params);
   }
@@ -159,5 +161,3 @@ export const getTableAggs = (vis: Vis): AggConfig[] => {
   const columns = tabifyGetColumns(vis.aggs.getResponseAggs(), !vis.isHierarchical());
   return columns.map(c => c.aggConfig);
 };
-
-export { FieldFormat };
diff --git a/src/legacy/ui/ui_mixin.js b/src/legacy/ui/ui_mixin.js
index addfed05cdb48..831c2c5deb829 100644
--- a/src/legacy/ui/ui_mixin.js
+++ b/src/legacy/ui/ui_mixin.js
@@ -17,7 +17,6 @@
  * under the License.
  */
 
-import { fieldFormatsMixin } from './field_formats';
 import { uiAppsMixin } from './ui_apps';
 import { uiBundlesMixin } from './ui_bundles';
 import { uiRenderMixin } from './ui_render';
@@ -27,6 +26,5 @@ export async function uiMixin(kbnServer) {
   await kbnServer.mixin(uiAppsMixin);
   await kbnServer.mixin(uiBundlesMixin);
   await kbnServer.mixin(uiSettingsMixin);
-  await kbnServer.mixin(fieldFormatsMixin);
   await kbnServer.mixin(uiRenderMixin);
 }
diff --git a/src/legacy/core_plugins/kibana/server/field_formats/register.js b/src/plugins/data/common/field_formats/constants/base_formatters.ts
similarity index 58%
rename from src/legacy/core_plugins/kibana/server/field_formats/register.js
rename to src/plugins/data/common/field_formats/constants/base_formatters.ts
index 34dc06aab44ac..95aedd02d16d6 100644
--- a/src/legacy/core_plugins/kibana/server/field_formats/register.js
+++ b/src/plugins/data/common/field_formats/constants/base_formatters.ts
@@ -17,38 +17,40 @@
  * under the License.
  */
 
+import { IFieldFormatType } from '../types';
+
 import {
-  UrlFormat,
-  StringFormat,
-  NumberFormat,
+  BoolFormat,
   BytesFormat,
-  TruncateFormat,
-  RelativeDateFormat,
-  PercentFormat,
-  IpFormat,
-  DurationFormat,
-  DateNanosFormat,
-  DateFormat,
   ColorFormat,
-  BoolFormat,
+  DateFormat,
+  DateNanosFormat,
+  DurationFormat,
+  IpFormat,
+  NumberFormat,
+  PercentFormat,
+  RelativeDateFormat,
   SourceFormat,
   StaticLookupFormat,
-} from '../../../../../plugins/data/server';
+  StringFormat,
+  TruncateFormat,
+  UrlFormat,
+} from '../converters';
 
-export function registerFieldFormats(server) {
-  server.registerFieldFormat(UrlFormat);
-  server.registerFieldFormat(BytesFormat);
-  server.registerFieldFormat(DateFormat);
-  server.registerFieldFormat(DateNanosFormat);
-  server.registerFieldFormat(RelativeDateFormat);
-  server.registerFieldFormat(DurationFormat);
-  server.registerFieldFormat(IpFormat);
-  server.registerFieldFormat(NumberFormat);
-  server.registerFieldFormat(PercentFormat);
-  server.registerFieldFormat(StringFormat);
-  server.registerFieldFormat(SourceFormat);
-  server.registerFieldFormat(ColorFormat);
-  server.registerFieldFormat(TruncateFormat);
-  server.registerFieldFormat(BoolFormat);
-  server.registerFieldFormat(StaticLookupFormat);
-}
+export const baseFormatters: IFieldFormatType[] = [
+  BoolFormat,
+  BytesFormat,
+  ColorFormat,
+  DateFormat,
+  DateNanosFormat,
+  DurationFormat,
+  IpFormat,
+  NumberFormat,
+  PercentFormat,
+  RelativeDateFormat,
+  SourceFormat,
+  StaticLookupFormat,
+  StringFormat,
+  TruncateFormat,
+  UrlFormat,
+];
diff --git a/src/plugins/data/common/field_formats/converters/color.ts b/src/plugins/data/common/field_formats/converters/color.ts
index ffc72ba9a2c30..20d9d6aee6d26 100644
--- a/src/plugins/data/common/field_formats/converters/color.ts
+++ b/src/plugins/data/common/field_formats/converters/color.ts
@@ -22,7 +22,7 @@ import { KBN_FIELD_TYPES } from '../../kbn_field_types/types';
 import { FieldFormat } from '../field_format';
 import { HtmlContextTypeConvert, FIELD_FORMAT_IDS } from '../types';
 import { asPrettyString } from '../utils';
-import { DEFAULT_CONVERTER_COLOR } from '../constants';
+import { DEFAULT_CONVERTER_COLOR } from '../constants/color_default';
 
 const convertTemplate = template('<span style="<%- style %>"><%- val %></span>');
 
diff --git a/src/plugins/data/common/field_formats/converters/custom.ts b/src/plugins/data/common/field_formats/converters/custom.ts
index 1c17e231cace8..a1ce0cf3e7b54 100644
--- a/src/plugins/data/common/field_formats/converters/custom.ts
+++ b/src/plugins/data/common/field_formats/converters/custom.ts
@@ -17,8 +17,8 @@
  * under the License.
  */
 
-import { FieldFormat, IFieldFormatType } from '../field_format';
-import { TextContextTypeConvert, FIELD_FORMAT_IDS } from '../types';
+import { FieldFormat } from '../field_format';
+import { TextContextTypeConvert, FIELD_FORMAT_IDS, IFieldFormatType } from '../types';
 
 export const createCustomFieldFormat = (convert: TextContextTypeConvert): IFieldFormatType =>
   class CustomFieldFormat extends FieldFormat {
diff --git a/src/plugins/data/common/field_formats/converters/date_server.ts b/src/plugins/data/common/field_formats/converters/date_server.ts
index 34278ea9fe641..cc7eba966cf0d 100644
--- a/src/plugins/data/common/field_formats/converters/date_server.ts
+++ b/src/plugins/data/common/field_formats/converters/date_server.ts
@@ -20,8 +20,13 @@
 import { memoize, noop } from 'lodash';
 import moment from 'moment-timezone';
 import { KBN_FIELD_TYPES } from '../../kbn_field_types/types';
-import { FieldFormat, IFieldFormatMetaParams } from '../field_format';
-import { TextContextTypeConvert, FIELD_FORMAT_IDS } from '../types';
+import { FieldFormat } from '../field_format';
+import {
+  TextContextTypeConvert,
+  FIELD_FORMAT_IDS,
+  GetConfigFn,
+  IFieldFormatMetaParams,
+} from '../types';
 
 export class DateFormat extends FieldFormat {
   static id = FIELD_FORMAT_IDS.DATE;
@@ -32,7 +37,7 @@ export class DateFormat extends FieldFormat {
   private memoizedPattern: string = '';
   private timeZone: string = '';
 
-  constructor(params: IFieldFormatMetaParams, getConfig: Function) {
+  constructor(params: IFieldFormatMetaParams, getConfig: GetConfigFn) {
     super(params, getConfig);
 
     this.memoizedConverter = memoize((val: any) => {
diff --git a/src/plugins/data/common/field_formats/converters/string.ts b/src/plugins/data/common/field_formats/converters/string.ts
index b2d92cf475a16..1a095d4fd3cfd 100644
--- a/src/plugins/data/common/field_formats/converters/string.ts
+++ b/src/plugins/data/common/field_formats/converters/string.ts
@@ -18,7 +18,7 @@
  */
 
 import { i18n } from '@kbn/i18n';
-import { asPrettyString } from '../index';
+import { asPrettyString } from '../utils';
 import { KBN_FIELD_TYPES } from '../../kbn_field_types/types';
 import { FieldFormat } from '../field_format';
 import { TextContextTypeConvert, FIELD_FORMAT_IDS } from '../types';
diff --git a/src/plugins/data/common/field_formats/converters/url.ts b/src/plugins/data/common/field_formats/converters/url.ts
index 21688dd8d1138..7c3e1e1d2cad1 100644
--- a/src/plugins/data/common/field_formats/converters/url.ts
+++ b/src/plugins/data/common/field_formats/converters/url.ts
@@ -21,8 +21,13 @@ import { i18n } from '@kbn/i18n';
 import { escape, memoize } from 'lodash';
 import { getHighlightHtml } from '../utils';
 import { KBN_FIELD_TYPES } from '../../kbn_field_types/types';
-import { FieldFormat, IFieldFormatMetaParams } from '../field_format';
-import { TextContextTypeConvert, HtmlContextTypeConvert, FIELD_FORMAT_IDS } from '../types';
+import { FieldFormat } from '../field_format';
+import {
+  TextContextTypeConvert,
+  HtmlContextTypeConvert,
+  IFieldFormatMetaParams,
+  FIELD_FORMAT_IDS,
+} from '../types';
 
 const templateMatchRE = /{{([\s\S]+?)}}/g;
 const whitelistUrlSchemes = ['http://', 'https://'];
diff --git a/src/plugins/data/common/field_formats/field_format.ts b/src/plugins/data/common/field_formats/field_format.ts
index a0621b27f5bc0..d605dcd2e78ac 100644
--- a/src/plugins/data/common/field_formats/field_format.ts
+++ b/src/plugins/data/common/field_formats/field_format.ts
@@ -20,12 +20,14 @@
 import { transform, size, cloneDeep, get, defaults } from 'lodash';
 import { createCustomFieldFormat } from './converters/custom';
 import {
+  GetConfigFn,
   ContentType,
-  FIELD_FORMAT_IDS,
+  IFieldFormatType,
   FieldFormatConvert,
   FieldFormatConvertFunction,
   HtmlContextTypeOptions,
   TextContextTypeOptions,
+  IFieldFormatMetaParams,
 } from './types';
 import {
   htmlContentTypeSetup,
@@ -37,15 +39,6 @@ import { HtmlContextTypeConvert, TextContextTypeConvert } from './types';
 
 const DEFAULT_CONTEXT_TYPE = TEXT_CONTEXT_TYPE;
 
-export interface IFieldFormatMetaParams {
-  [key: string]: any;
-  parsedUrl?: {
-    origin: string;
-    pathname?: string;
-    basePath?: string;
-  };
-}
-
 export abstract class FieldFormat {
   /**
    * @property {string} - Field Format Id
@@ -97,9 +90,9 @@ export abstract class FieldFormat {
   public type: any = this.constructor;
 
   protected readonly _params: any;
-  protected getConfig: Function | undefined;
+  protected getConfig: GetConfigFn | undefined;
 
-  constructor(_params: IFieldFormatMetaParams = {}, getConfig?: Function) {
+  constructor(_params: IFieldFormatMetaParams = {}, getConfig?: GetConfigFn) {
     this._params = _params;
 
     if (getConfig) {
@@ -226,13 +219,3 @@ export abstract class FieldFormat {
     return Boolean(fieldFormat && fieldFormat.convert);
   }
 }
-
-export type IFieldFormat = PublicMethodsOf<FieldFormat>;
-/**
- * @string id type is needed for creating custom converters.
- */
-export type IFieldFormatId = FIELD_FORMAT_IDS | string;
-export type IFieldFormatType = (new (params?: any, getConfig?: Function) => FieldFormat) & {
-  id: IFieldFormatId;
-  fieldType: string | string[];
-};
diff --git a/src/plugins/data/public/field_formats_provider/field_formats.test.ts b/src/plugins/data/common/field_formats/field_formats_registry.test.ts
similarity index 57%
rename from src/plugins/data/public/field_formats_provider/field_formats.test.ts
rename to src/plugins/data/common/field_formats/field_formats_registry.test.ts
index 8ad6cff77abc0..5f6f9fdf897ff 100644
--- a/src/plugins/data/public/field_formats_provider/field_formats.test.ts
+++ b/src/plugins/data/common/field_formats/field_formats_registry.test.ts
@@ -16,72 +16,67 @@
  * specific language governing permissions and limitations
  * under the License.
  */
-import { CoreSetup, IUiSettingsClient } from 'kibana/public';
-
-import { FieldFormatRegisty } from './field_formats';
-import {
-  BoolFormat,
-  IFieldFormatType,
-  PercentFormat,
-  StringFormat,
-} from '../../common/field_formats';
-import { coreMock } from '../../../../core/public/mocks';
+import { FieldFormatsRegistry } from './field_formats_registry';
+import { BoolFormat, PercentFormat, StringFormat } from './converters';
+import { GetConfigFn, IFieldFormatType } from './types';
 import { KBN_FIELD_TYPES } from '../../common';
 
 const getValueOfPrivateField = (instance: any, field: string) => instance[field];
-const getUiSettingsMock = (data: any): IUiSettingsClient['get'] => () => data;
 
-describe('FieldFormatRegisty', () => {
-  let mockCoreSetup: CoreSetup;
-  let fieldFormatRegisty: FieldFormatRegisty;
+describe('FieldFormatsRegistry', () => {
+  let fieldFormatsRegistry: FieldFormatsRegistry;
+  let defaultMap = {};
+  const getConfig = (() => defaultMap) as GetConfigFn;
 
   beforeEach(() => {
-    mockCoreSetup = coreMock.createSetup();
-    fieldFormatRegisty = new FieldFormatRegisty();
+    fieldFormatsRegistry = new FieldFormatsRegistry();
+    fieldFormatsRegistry.init(
+      getConfig,
+      {
+        parsedUrl: {
+          origin: '',
+          pathname: '',
+          basePath: '',
+        },
+      },
+      []
+    );
   });
 
-  test('should allows to create an instance of "FieldFormatRegisty"', () => {
-    expect(fieldFormatRegisty).toBeDefined();
-    expect(getValueOfPrivateField(fieldFormatRegisty, 'fieldFormats')).toBeDefined();
-    expect(getValueOfPrivateField(fieldFormatRegisty, 'defaultMap')).toEqual({});
+  test('should allows to create an instance of "FieldFormatsRegistry"', () => {
+    expect(fieldFormatsRegistry).toBeDefined();
+
+    expect(getValueOfPrivateField(fieldFormatsRegistry, 'fieldFormats')).toBeDefined();
+    expect(getValueOfPrivateField(fieldFormatsRegistry, 'defaultMap')).toEqual({});
   });
 
   describe('init', () => {
     test('should provide an public "init" method', () => {
-      expect(fieldFormatRegisty.init).toBeDefined();
-      expect(typeof fieldFormatRegisty.init).toBe('function');
-    });
-
-    test('should set basePath value from "init" method', () => {
-      fieldFormatRegisty.init(mockCoreSetup);
-
-      expect(getValueOfPrivateField(fieldFormatRegisty, 'basePath')).toBe(
-        mockCoreSetup.http.basePath.get()
-      );
+      expect(fieldFormatsRegistry.init).toBeDefined();
+      expect(typeof fieldFormatsRegistry.init).toBe('function');
     });
 
     test('should populate the "defaultMap" object', () => {
-      const defaultMap = {
+      defaultMap = {
         number: { id: 'number', params: {} },
       };
 
-      mockCoreSetup.uiSettings.get = getUiSettingsMock(defaultMap);
-      fieldFormatRegisty.init(mockCoreSetup);
-      expect(getValueOfPrivateField(fieldFormatRegisty, 'defaultMap')).toEqual(defaultMap);
+      fieldFormatsRegistry.init(getConfig, {}, []);
+      expect(getValueOfPrivateField(fieldFormatsRegistry, 'defaultMap')).toEqual(defaultMap);
     });
   });
 
   describe('register', () => {
     test('should provide an public "register" method', () => {
-      expect(fieldFormatRegisty.register).toBeDefined();
-      expect(typeof fieldFormatRegisty.register).toBe('function');
+      expect(fieldFormatsRegistry.register).toBeDefined();
+      expect(typeof fieldFormatsRegistry.register).toBe('function');
     });
 
     test('should register field formats', () => {
-      fieldFormatRegisty.register([StringFormat, BoolFormat]);
+      fieldFormatsRegistry.register([StringFormat, BoolFormat]);
 
       const registeredFieldFormatters: Map<string, IFieldFormatType> = getValueOfPrivateField(
-        fieldFormatRegisty,
+        fieldFormatsRegistry,
         'fieldFormats'
       );
 
@@ -95,28 +90,28 @@ describe('FieldFormatRegisty', () => {
 
   describe('getType', () => {
     test('should provide an public "getType" method', () => {
-      expect(fieldFormatRegisty.getType).toBeDefined();
-      expect(typeof fieldFormatRegisty.getType).toBe('function');
+      expect(fieldFormatsRegistry.getType).toBeDefined();
+      expect(typeof fieldFormatsRegistry.getType).toBe('function');
     });
 
     test('should return the registered type of the field format by identifier', () => {
-      fieldFormatRegisty.register([StringFormat]);
+      fieldFormatsRegistry.register([StringFormat]);
 
-      expect(fieldFormatRegisty.getType(StringFormat.id)).toBeDefined();
+      expect(fieldFormatsRegistry.getType(StringFormat.id)).toBeDefined();
     });
 
     test('should return void if the field format type has not been registered', () => {
-      fieldFormatRegisty.register([BoolFormat]);
+      fieldFormatsRegistry.register([BoolFormat]);
 
-      expect(fieldFormatRegisty.getType(StringFormat.id)).toBeUndefined();
+      expect(fieldFormatsRegistry.getType(StringFormat.id)).toBeUndefined();
     });
   });
 
   describe('fieldFormatMetaParamsDecorator', () => {
     test('should set meta params for all instances of FieldFormats', () => {
-      fieldFormatRegisty.register([StringFormat]);
+      fieldFormatsRegistry.register([StringFormat]);
 
-      const DecoratedStingFormat = fieldFormatRegisty.getType(StringFormat.id);
+      const DecoratedStingFormat = fieldFormatsRegistry.getType(StringFormat.id);
 
       expect(DecoratedStingFormat).toBeDefined();
 
@@ -135,9 +130,9 @@ describe('FieldFormatRegisty', () => {
     });
 
     test('should decorate static fields', () => {
-      fieldFormatRegisty.register([BoolFormat]);
+      fieldFormatsRegistry.register([BoolFormat]);
 
-      const DecoratedBoolFormat = fieldFormatRegisty.getType(BoolFormat.id);
+      const DecoratedBoolFormat = fieldFormatsRegistry.getType(BoolFormat.id);
 
       expect(DecoratedBoolFormat).toBeDefined();
 
@@ -150,14 +145,14 @@ describe('FieldFormatRegisty', () => {
 
   describe('getByFieldType', () => {
     test('should provide an public "getByFieldType" method', () => {
-      expect(fieldFormatRegisty.getByFieldType).toBeDefined();
-      expect(typeof fieldFormatRegisty.getByFieldType).toBe('function');
+      expect(fieldFormatsRegistry.getByFieldType).toBeDefined();
+      expect(typeof fieldFormatsRegistry.getByFieldType).toBe('function');
     });
 
     test('should decorate returns types', () => {
-      fieldFormatRegisty.register([StringFormat, BoolFormat]);
+      fieldFormatsRegistry.register([StringFormat, BoolFormat]);
 
-      const [DecoratedStringFormat] = fieldFormatRegisty.getByFieldType(KBN_FIELD_TYPES.STRING);
+      const [DecoratedStringFormat] = fieldFormatsRegistry.getByFieldType(KBN_FIELD_TYPES.STRING);
 
       expect(DecoratedStringFormat).toBeDefined();
 
diff --git a/src/plugins/data/public/field_formats_provider/field_formats.ts b/src/plugins/data/common/field_formats/field_formats_registry.ts
similarity index 81%
rename from src/plugins/data/public/field_formats_provider/field_formats.ts
rename to src/plugins/data/common/field_formats/field_formats_registry.ts
index d3d57d42028cd..9b85921b820c8 100644
--- a/src/plugins/data/public/field_formats_provider/field_formats.ts
+++ b/src/plugins/data/common/field_formats/field_formats_registry.ts
@@ -19,42 +19,36 @@
 
 // eslint-disable-next-line max-classes-per-file
 import { forOwn, isFunction, memoize } from 'lodash';
-import { IUiSettingsClient, CoreSetup } from 'kibana/public';
+
+import { ES_FIELD_TYPES, KBN_FIELD_TYPES } from '../../common';
+
 import {
-  ES_FIELD_TYPES,
-  KBN_FIELD_TYPES,
+  GetConfigFn,
+  IFieldFormatConfig,
   FIELD_FORMAT_IDS,
   IFieldFormatType,
   IFieldFormatId,
-  FieldFormat,
   IFieldFormatMetaParams,
-} from '../../common';
-import { FieldType } from './types';
-
-export class FieldFormatRegisty {
-  private fieldFormats: Map<IFieldFormatId, IFieldFormatType>;
-  private uiSettings!: IUiSettingsClient;
-  private defaultMap: Record<string, FieldType>;
-  private basePath?: string;
-
-  constructor() {
-    this.fieldFormats = new Map();
-    this.defaultMap = {};
-  }
-
-  getConfig = (key: string, override?: any) => this.uiSettings.get(key, override);
-
-  init({ uiSettings, http }: CoreSetup) {
-    this.uiSettings = uiSettings;
-    this.basePath = http.basePath.get();
-
-    this.parseDefaultTypeMap(this.uiSettings.get('format:defaultTypeMap'));
-
-    this.uiSettings.getUpdate$().subscribe(({ key, newValue }) => {
-      if (key === 'format:defaultTypeMap') {
-        this.parseDefaultTypeMap(newValue);
-      }
-    });
+} from './types';
+import { baseFormatters } from './constants/base_formatters';
+import { FieldFormat } from './field_format';
+
+export class FieldFormatsRegistry {
+  protected fieldFormats: Map<IFieldFormatId, IFieldFormatType> = new Map();
+  protected defaultMap: Record<string, IFieldFormatConfig> = {};
+  protected metaParamsOptions: Record<string, any> = {};
+  protected getConfig?: GetConfigFn;
+
+  init(
+    getConfig: GetConfigFn,
+    metaParamsOptions: Record<string, any> = {},
+    defaultFieldConverters: IFieldFormatType[] = baseFormatters
+  ) {
+    const defaultTypeMap = getConfig('format:defaultTypeMap');
+    this.register(defaultFieldConverters);
+    this.parseDefaultTypeMap(defaultTypeMap);
+    this.getConfig = getConfig;
+    this.metaParamsOptions = metaParamsOptions;
   }
 
   /**
@@ -65,7 +59,10 @@ export class FieldFormatRegisty {
    * @param  {ES_FIELD_TYPES[]} esTypes - Array of ES data types
    * @return {FieldType}
    */
-  getDefaultConfig = (fieldType: KBN_FIELD_TYPES, esTypes?: ES_FIELD_TYPES[]): FieldType => {
+  getDefaultConfig = (
+    fieldType: KBN_FIELD_TYPES,
+    esTypes?: ES_FIELD_TYPES[]
+  ): IFieldFormatConfig => {
     const type = this.getDefaultTypeName(fieldType, esTypes);
 
     return (
@@ -151,14 +148,19 @@ export class FieldFormatRegisty {
    */
   getInstance = memoize(
     (formatId: IFieldFormatId, params: Record<string, any> = {}): FieldFormat => {
-      const DerivedFieldFormat = this.getType(formatId);
+      const ConcreteFieldFormat = this.getType(formatId);
 
-      if (!DerivedFieldFormat) {
+      if (!ConcreteFieldFormat) {
         throw new Error(`Field Format '${formatId}' not found!`);
       }
 
-      return new DerivedFieldFormat(params, this.getConfig);
-    }
+      return new ConcreteFieldFormat(params, this.getConfig);
+    },
+    (formatId: IFieldFormatId, params: Record<string, any>) =>
+      JSON.stringify({
+        formatId,
+        ...params,
+      })
   );
 
   /**
@@ -171,13 +173,7 @@ export class FieldFormatRegisty {
   getDefaultInstancePlain(fieldType: KBN_FIELD_TYPES, esTypes?: ES_FIELD_TYPES[]): FieldFormat {
     const conf = this.getDefaultConfig(fieldType, esTypes);
 
-    const DerivedFieldFormat = this.getType(conf.id);
-
-    if (!DerivedFieldFormat) {
-      throw new Error(`Field Format '${conf.id}' not found!`);
-    }
-
-    return new DerivedFieldFormat(conf.params, this.getConfig);
+    return this.getInstance(conf.id, conf.params);
   }
   /**
    * Returns a cache key built by the given variables for caching in memoized
@@ -233,11 +229,9 @@ export class FieldFormatRegisty {
     });
   }
 
-  register = (fieldFormats: IFieldFormatType[]) => {
+  register(fieldFormats: IFieldFormatType[]) {
     fieldFormats.forEach(fieldFormat => this.fieldFormats.set(fieldFormat.id, fieldFormat));
-
-    return this;
-  };
+  }
 
   /**
    * FieldFormat decorator - provide a one way to add meta-params for all field formatters
@@ -256,7 +250,7 @@ export class FieldFormatRegisty {
         static id = fieldFormat.id;
         static fieldType = fieldFormat.fieldType;
 
-        constructor(params: Record<string, any> = {}, getConfig?: Function) {
+        constructor(params: Record<string, any> = {}, getConfig?: GetConfigFn) {
           super(getMetaParams(params), getConfig);
         }
       };
@@ -268,16 +262,11 @@ export class FieldFormatRegisty {
   /**
    * Build Meta Params
    *
-   * @static
    * @param  {Record<string, any>} custom params
    * @return {Record<string, any>}
    */
   private buildMetaParams = <T extends IFieldFormatMetaParams>(customParams: T): T => ({
-    parsedUrl: {
-      origin: window.location.origin,
-      pathname: window.location.pathname,
-      basePath: this.basePath,
-    },
+    ...this.metaParamsOptions,
     ...customParams,
   });
 }
diff --git a/src/plugins/data/common/field_formats/index.ts b/src/plugins/data/common/field_formats/index.ts
index b1e8744e26745..e54903375dcf1 100644
--- a/src/plugins/data/common/field_formats/index.ts
+++ b/src/plugins/data/common/field_formats/index.ts
@@ -17,13 +17,6 @@
  * under the License.
  */
 
-export { HTML_CONTEXT_TYPE, TEXT_CONTEXT_TYPE } from './content_types';
-export {
-  FieldFormat,
-  IFieldFormatType,
-  IFieldFormatId,
-  IFieldFormatMetaParams,
-} from './field_format';
-export { getHighlightRequest, asPrettyString, getHighlightHtml } from './utils';
-export * from './converters';
-export * from './constants';
+import * as fieldFormats from './static';
+
+export { fieldFormats };
diff --git a/src/plugins/data/public/field_formats_provider/field_formats_service.ts b/src/plugins/data/common/field_formats/static.ts
similarity index 51%
rename from src/plugins/data/public/field_formats_provider/field_formats_service.ts
rename to src/plugins/data/common/field_formats/static.ts
index 42abeecc6fda0..186a0ff6ede5c 100644
--- a/src/plugins/data/public/field_formats_provider/field_formats_service.ts
+++ b/src/plugins/data/common/field_formats/static.ts
@@ -17,10 +17,19 @@
  * under the License.
  */
 
-import { CoreSetup } from 'src/core/public';
-import { FieldFormatRegisty } from './field_formats';
+/**
+ * Everything the file exports is public
+ */
+
+export { HTML_CONTEXT_TYPE, TEXT_CONTEXT_TYPE } from './content_types';
+export { FieldFormat } from './field_format';
+export { FieldFormatsRegistry } from './field_formats_registry';
+export { getHighlightRequest, asPrettyString, getHighlightHtml } from './utils';
+
+export { baseFormatters } from './constants/base_formatters';
+export { DEFAULT_CONVERTER_COLOR } from './constants/color_default';
 
-import {
+export {
   BoolFormat,
   BytesFormat,
   ColorFormat,
@@ -33,47 +42,17 @@ import {
   RelativeDateFormat,
   SourceFormat,
   StaticLookupFormat,
+  UrlFormat,
   StringFormat,
   TruncateFormat,
-  UrlFormat,
-} from '../../common/';
-
-export class FieldFormatsService {
-  private readonly fieldFormats: FieldFormatRegisty = new FieldFormatRegisty();
-
-  public setup(core: CoreSetup) {
-    this.fieldFormats.init(core);
-
-    this.fieldFormats.register([
-      BoolFormat,
-      BytesFormat,
-      ColorFormat,
-      DateFormat,
-      DateNanosFormat,
-      DurationFormat,
-      IpFormat,
-      NumberFormat,
-      PercentFormat,
-      RelativeDateFormat,
-      SourceFormat,
-      StaticLookupFormat,
-      StringFormat,
-      TruncateFormat,
-      UrlFormat,
-    ]);
-
-    return this.fieldFormats as FieldFormatsSetup;
-  }
-
-  public start() {
-    return this.fieldFormats as FieldFormatsStart;
-  }
-
-  public stop() {
-    // nothing to do here yet
-  }
-}
-
-/** @public */
-export type FieldFormatsSetup = Omit<FieldFormatRegisty, 'init'>;
-export type FieldFormatsStart = Omit<FieldFormatRegisty, 'init' & 'register'>;
+} from './converters';
+
+export {
+  GetConfigFn,
+  FIELD_FORMAT_IDS,
+  ContentType,
+  IFieldFormatConfig,
+  IFieldFormatType,
+  IFieldFormat,
+  IFieldFormatId,
+} from './types';
diff --git a/src/plugins/data/common/field_formats/types.ts b/src/plugins/data/common/field_formats/types.ts
index dce3c66b0f886..b6c10c9964f67 100644
--- a/src/plugins/data/common/field_formats/types.ts
+++ b/src/plugins/data/common/field_formats/types.ts
@@ -17,11 +17,10 @@
  * under the License.
  */
 
-/** @public **/
-export type ContentType = 'html' | 'text';
+import { FieldFormat } from './field_format';
 
 /** @public **/
-export { IFieldFormat } from './field_format';
+export type ContentType = 'html' | 'text';
 
 /** @internal **/
 export interface HtmlContextTypeOptions {
@@ -66,3 +65,32 @@ export enum FIELD_FORMAT_IDS {
   TRUNCATE = 'truncate',
   URL = 'url',
 }
+
+export interface IFieldFormatConfig {
+  id: IFieldFormatId;
+  params: Record<string, any>;
+  es?: boolean;
+}
+
+export type GetConfigFn = <T = any>(key: string, defaultOverride?: T) => T;
+
+export type IFieldFormat = PublicMethodsOf<FieldFormat>;
+
+/**
+ * @string id type is needed for creating custom converters.
+ */
+export type IFieldFormatId = FIELD_FORMAT_IDS | string;
+
+export type IFieldFormatType = (new (params?: any, getConfig?: GetConfigFn) => FieldFormat) & {
+  id: IFieldFormatId;
+  fieldType: string | string[];
+};
+
+export interface IFieldFormatMetaParams {
+  [key: string]: any;
+  parsedUrl?: {
+    origin: string;
+    pathname?: string;
+    basePath?: string;
+  };
+}
diff --git a/src/plugins/data/common/types.ts b/src/plugins/data/common/types.ts
index bc0d0c323bafa..be0d3230b3a0e 100644
--- a/src/plugins/data/common/types.ts
+++ b/src/plugins/data/common/types.ts
@@ -17,7 +17,6 @@
  * under the License.
  */
 
-export * from './field_formats/types';
 export * from './timefilter/types';
 export * from './query/types';
 export * from './kbn_field_types/types';
diff --git a/src/plugins/data/public/field_formats/field_formats_service.ts b/src/plugins/data/public/field_formats/field_formats_service.ts
new file mode 100644
index 0000000000000..68df0aa254580
--- /dev/null
+++ b/src/plugins/data/public/field_formats/field_formats_service.ts
@@ -0,0 +1,55 @@
+/*
+ * Licensed to Elasticsearch B.V. under one or more contributor
+ * license agreements. See the NOTICE file distributed with
+ * this work for additional information regarding copyright
+ * ownership. Elasticsearch B.V. licenses this file to you under
+ * the Apache License, Version 2.0 (the "License"); you may
+ * not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ *    http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied.  See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+
+import { CoreSetup } from 'src/core/public';
+import { fieldFormats } from '../../common/field_formats';
+
+export class FieldFormatsService {
+  private readonly fieldFormatsRegistry: fieldFormats.FieldFormatsRegistry = new fieldFormats.FieldFormatsRegistry();
+
+  public setup(core: CoreSetup) {
+    core.uiSettings.getUpdate$().subscribe(({ key, newValue }) => {
+      if (key === 'format:defaultTypeMap') {
+        this.fieldFormatsRegistry.parseDefaultTypeMap(newValue);
+      }
+    });
+
+    const getConfig = core.uiSettings.get.bind(core.uiSettings);
+
+    this.fieldFormatsRegistry.init(getConfig, {
+      parsedUrl: {
+        origin: window.location.origin,
+        pathname: window.location.pathname,
+        basePath: core.http.basePath.get(),
+      },
+    });
+
+    return this.fieldFormatsRegistry as FieldFormatsSetup;
+  }
+
+  public start() {
+    return this.fieldFormatsRegistry as FieldFormatsStart;
+  }
+}
+
+/** @public */
+export type FieldFormatsSetup = Pick<fieldFormats.FieldFormatsRegistry, 'register'>;
+
+/** @public */
+export type FieldFormatsStart = Omit<fieldFormats.FieldFormatsRegistry, 'init' & 'register'>;
diff --git a/src/plugins/data/public/field_formats_provider/index.ts b/src/plugins/data/public/field_formats/index.ts
similarity index 92%
rename from src/plugins/data/public/field_formats_provider/index.ts
rename to src/plugins/data/public/field_formats/index.ts
index 442d877c5316a..4550a5781535f 100644
--- a/src/plugins/data/public/field_formats_provider/index.ts
+++ b/src/plugins/data/public/field_formats/index.ts
@@ -17,5 +17,4 @@
  * under the License.
  */
 
-export { FieldFormatRegisty } from './field_formats'; // TODO: Try to remove
 export { FieldFormatsService, FieldFormatsSetup, FieldFormatsStart } from './field_formats_service';
diff --git a/src/plugins/data/public/field_formats_provider/types.ts b/src/plugins/data/public/field_formats_provider/types.ts
deleted file mode 100644
index fc33bf4d38f85..0000000000000
--- a/src/plugins/data/public/field_formats_provider/types.ts
+++ /dev/null
@@ -1,26 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-import { IFieldFormatId } from '../../common';
-
-export interface FieldType {
-  id: IFieldFormatId;
-  params: Record<string, any>;
-  es?: boolean;
-}
diff --git a/src/plugins/data/public/index.ts b/src/plugins/data/public/index.ts
index d9b15cb46334a..bc25c64f0e96e 100644
--- a/src/plugins/data/public/index.ts
+++ b/src/plugins/data/public/index.ts
@@ -31,12 +31,6 @@ export function plugin(initializerContext: PluginInitializerContext) {
 export { IRequestTypesMap, IResponseTypesMap } from './search';
 export * from './types';
 export {
-  // field formats
-  ContentType, // only used in agg_type
-  FIELD_FORMAT_IDS,
-  IFieldFormat,
-  IFieldFormatId,
-  IFieldFormatType,
   // index patterns
   IIndexPattern,
   IFieldType,
@@ -51,7 +45,7 @@ export {
   TimeRange,
 } from '../common';
 
-export * from './field_formats_provider';
+export * from './field_formats';
 export * from './index_patterns';
 export * from './search';
 export * from './query';
@@ -61,26 +55,7 @@ export {
   esFilters,
   esKuery,
   esQuery,
-  // field formats
-  BoolFormat,
-  BytesFormat,
-  ColorFormat,
-  DateFormat,
-  DateNanosFormat,
-  DEFAULT_CONVERTER_COLOR,
-  DurationFormat,
-  FieldFormat,
-  getHighlightRequest, // only used in search source
-  IpFormat,
-  NumberFormat,
-  PercentFormat,
-  RelativeDateFormat,
-  SourceFormat,
-  StaticLookupFormat,
-  StringFormat,
-  TEXT_CONTEXT_TYPE, // only used in agg_types
-  TruncateFormat,
-  UrlFormat,
+  fieldFormats,
   // index patterns
   isFilterable,
   // kbn field types
diff --git a/src/plugins/data/public/index_patterns/fields/field.ts b/src/plugins/data/public/index_patterns/fields/field.ts
index 6ed3c2be8f96e..730a2f88c5eb7 100644
--- a/src/plugins/data/public/index_patterns/fields/field.ts
+++ b/src/plugins/data/public/index_patterns/fields/field.ts
@@ -26,7 +26,7 @@ import {
   IFieldType,
   getKbnFieldType,
   IFieldSubType,
-  FieldFormat,
+  fieldFormats,
   shortenDottedString,
 } from '../../../common';
 
@@ -95,12 +95,12 @@ export class Field implements IFieldType {
 
     let format = spec.format;
 
-    if (!FieldFormat.isInstanceOfFieldFormat(format)) {
-      const fieldFormats = getFieldFormats();
+    if (!fieldFormats.FieldFormat.isInstanceOfFieldFormat(format)) {
+      const fieldFormatsService = getFieldFormats();
 
       format =
         indexPattern.fieldFormatMap[spec.name] ||
-        fieldFormats.getDefaultInstance(spec.type, spec.esTypes);
+        fieldFormatsService.getDefaultInstance(spec.type, spec.esTypes);
     }
 
     const indexed = !!spec.indexed;
diff --git a/src/plugins/data/public/index_patterns/index_patterns/format_hit.ts b/src/plugins/data/public/index_patterns/index_patterns/format_hit.ts
index 59ee18b3dcb50..f9e15c8650ce0 100644
--- a/src/plugins/data/public/index_patterns/index_patterns/format_hit.ts
+++ b/src/plugins/data/public/index_patterns/index_patterns/format_hit.ts
@@ -19,7 +19,7 @@
 
 import _ from 'lodash';
 import { IndexPattern } from './index_pattern';
-import { ContentType } from '../../../common';
+import { fieldFormats } from '../../../common';
 
 const formattedCache = new WeakMap();
 const partialFormattedCache = new WeakMap();
@@ -31,7 +31,7 @@ export function formatHitProvider(indexPattern: IndexPattern, defaultFormat: any
     hit: Record<string, any>,
     val: any,
     fieldName: string,
-    type: ContentType = 'html'
+    type: fieldFormats.ContentType = 'html'
   ) {
     const field = indexPattern.fields.getByName(fieldName);
     const format = field ? field.format : defaultFormat;
diff --git a/src/plugins/data/public/index_patterns/index_patterns/index_pattern.test.ts b/src/plugins/data/public/index_patterns/index_patterns/index_pattern.test.ts
index 1f83e4bd5b80c..059df6d4eb0f8 100644
--- a/src/plugins/data/public/index_patterns/index_patterns/index_pattern.test.ts
+++ b/src/plugins/data/public/index_patterns/index_patterns/index_pattern.test.ts
@@ -31,7 +31,7 @@ import { setNotifications, setFieldFormats } from '../../services';
 // Temporary disable eslint, will be removed after moving to new platform folder
 // eslint-disable-next-line @kbn/eslint/no-restricted-paths
 import { notificationServiceMock } from '../../../../../core/public/notifications/notifications_service.mock';
-import { FieldFormatRegisty } from '../../field_formats_provider';
+import { fieldFormats } from '../../../common/field_formats';
 
 jest.mock('../../../../kibana_utils/public', () => {
   const originalModule = jest.requireActual('../../../../kibana_utils/public');
@@ -125,7 +125,7 @@ describe('IndexPattern', () => {
     setNotifications(notifications);
     setFieldFormats(({
       getDefaultInstance: jest.fn(),
-    } as unknown) as FieldFormatRegisty);
+    } as unknown) as fieldFormats.FieldFormatsRegistry);
 
     return create(indexPatternId).then((pattern: IndexPattern) => {
       indexPattern = pattern;
diff --git a/src/plugins/data/public/mocks.ts b/src/plugins/data/public/mocks.ts
index 0f1c9eeb9d11a..847d79fdc87d1 100644
--- a/src/plugins/data/public/mocks.ts
+++ b/src/plugins/data/public/mocks.ts
@@ -17,11 +17,11 @@
  * under the License.
  */
 import {
-  FieldFormatRegisty,
   Plugin,
   FieldFormatsStart,
   FieldFormatsSetup,
   IndexPatternsContract,
+  fieldFormats,
 } from '.';
 import { searchSetupMock } from './search/mocks';
 import { queryServiceMock } from './query/mocks';
@@ -35,9 +35,8 @@ const autocompleteMock: any = {
   hasQuerySuggestions: jest.fn(),
 };
 
-const fieldFormatsMock: PublicMethodsOf<FieldFormatRegisty> = {
+const fieldFormatsMock: PublicMethodsOf<fieldFormats.FieldFormatsRegistry> = {
   getByFieldType: jest.fn(),
-  getConfig: jest.fn(),
   getDefaultConfig: jest.fn(),
   getDefaultInstance: jest.fn() as any,
   getDefaultInstanceCacheResolver: jest.fn(),
diff --git a/src/plugins/data/public/plugin.ts b/src/plugins/data/public/plugin.ts
index 34d858b28c871..8a45d9fc2f23b 100644
--- a/src/plugins/data/public/plugin.ts
+++ b/src/plugins/data/public/plugin.ts
@@ -33,7 +33,7 @@ import {
 } from './types';
 import { AutocompleteService } from './autocomplete';
 import { SearchService } from './search/search_service';
-import { FieldFormatsService } from './field_formats_provider';
+import { FieldFormatsService } from './field_formats';
 import { QueryService } from './query';
 import { createIndexPatternSelect } from './ui/index_pattern_select';
 import { IndexPatterns } from './index_patterns';
diff --git a/src/plugins/data/public/search/search_source/search_source.ts b/src/plugins/data/public/search/search_source/search_source.ts
index 749c59d891b7e..7b1a4533dd1c6 100644
--- a/src/plugins/data/public/search/search_source/search_source.ts
+++ b/src/plugins/data/public/search/search_source/search_source.ts
@@ -73,7 +73,7 @@ import _ from 'lodash';
 import { normalizeSortRequest } from './normalize_sort_request';
 import { filterDocvalueFields } from './filter_docvalue_fields';
 import { fieldWildcardFilter } from '../../../../kibana_utils/public';
-import { getHighlightRequest, esFilters, esQuery, SearchRequest } from '../..';
+import { fieldFormats, esFilters, esQuery, SearchRequest } from '../..';
 import { SearchSourceOptions, SearchSourceFields } from './types';
 import { fetchSoon, FetchOptions, RequestFailure } from '../fetch';
 
@@ -382,7 +382,10 @@ export class SearchSource {
     body.query = esQuery.buildEsQuery(index, query, filters, esQueryConfigs);
 
     if (highlightAll && body.query) {
-      body.highlight = getHighlightRequest(body.query, getUiSettings().get('doc_table:highlight'));
+      body.highlight = fieldFormats.getHighlightRequest(
+        body.query,
+        getUiSettings().get('doc_table:highlight')
+      );
       delete searchRequest.highlightAll;
     }
 
diff --git a/src/plugins/data/public/types.ts b/src/plugins/data/public/types.ts
index d2af256302248..6b6ff5e62e63f 100644
--- a/src/plugins/data/public/types.ts
+++ b/src/plugins/data/public/types.ts
@@ -21,7 +21,7 @@ import { CoreStart } from 'src/core/public';
 import { IStorageWrapper } from 'src/plugins/kibana_utils/public';
 import { IUiActionsSetup, IUiActionsStart } from 'src/plugins/ui_actions/public';
 import { AutocompleteSetup, AutocompleteStart } from './autocomplete/types';
-import { FieldFormatsSetup, FieldFormatsStart } from './field_formats_provider';
+import { FieldFormatsSetup, FieldFormatsStart } from './field_formats';
 import { ISearchSetup, ISearchStart } from './search';
 import { QuerySetup, QueryStart } from './query';
 import { IndexPatternSelectProps } from './ui/index_pattern_select';
diff --git a/src/plugins/data/public/ui/query_string_input/__snapshots__/query_string_input.test.tsx.snap b/src/plugins/data/public/ui/query_string_input/__snapshots__/query_string_input.test.tsx.snap
index f38adff892099..2f2332bb06e3c 100644
--- a/src/plugins/data/public/ui/query_string_input/__snapshots__/query_string_input.test.tsx.snap
+++ b/src/plugins/data/public/ui/query_string_input/__snapshots__/query_string_input.test.tsx.snap
@@ -163,7 +163,6 @@ exports[`QueryStringInput Should disable autoFocus on EuiFieldText when disableA
               },
               "fieldFormats": Object {
                 "getByFieldType": [MockFunction],
-                "getConfig": [MockFunction],
                 "getDefaultConfig": [MockFunction],
                 "getDefaultInstance": [MockFunction],
                 "getDefaultInstanceCacheResolver": [MockFunction],
@@ -805,7 +804,6 @@ exports[`QueryStringInput Should disable autoFocus on EuiFieldText when disableA
                       },
                       "fieldFormats": Object {
                         "getByFieldType": [MockFunction],
-                        "getConfig": [MockFunction],
                         "getDefaultConfig": [MockFunction],
                         "getDefaultInstance": [MockFunction],
                         "getDefaultInstanceCacheResolver": [MockFunction],
@@ -1429,7 +1427,6 @@ exports[`QueryStringInput Should pass the query language to the language switche
               },
               "fieldFormats": Object {
                 "getByFieldType": [MockFunction],
-                "getConfig": [MockFunction],
                 "getDefaultConfig": [MockFunction],
                 "getDefaultInstance": [MockFunction],
                 "getDefaultInstanceCacheResolver": [MockFunction],
@@ -2068,7 +2065,6 @@ exports[`QueryStringInput Should pass the query language to the language switche
                       },
                       "fieldFormats": Object {
                         "getByFieldType": [MockFunction],
-                        "getConfig": [MockFunction],
                         "getDefaultConfig": [MockFunction],
                         "getDefaultInstance": [MockFunction],
                         "getDefaultInstanceCacheResolver": [MockFunction],
@@ -2692,7 +2688,6 @@ exports[`QueryStringInput Should render the given query 1`] = `
               },
               "fieldFormats": Object {
                 "getByFieldType": [MockFunction],
-                "getConfig": [MockFunction],
                 "getDefaultConfig": [MockFunction],
                 "getDefaultInstance": [MockFunction],
                 "getDefaultInstanceCacheResolver": [MockFunction],
@@ -3331,7 +3326,6 @@ exports[`QueryStringInput Should render the given query 1`] = `
                       },
                       "fieldFormats": Object {
                         "getByFieldType": [MockFunction],
-                        "getConfig": [MockFunction],
                         "getDefaultConfig": [MockFunction],
                         "getDefaultInstance": [MockFunction],
                         "getDefaultInstanceCacheResolver": [MockFunction],
diff --git a/src/plugins/data/server/field_formats/field_formats_service.ts b/src/plugins/data/server/field_formats/field_formats_service.ts
new file mode 100644
index 0000000000000..923904db9def0
--- /dev/null
+++ b/src/plugins/data/server/field_formats/field_formats_service.ts
@@ -0,0 +1,59 @@
+/*
+ * Licensed to Elasticsearch B.V. under one or more contributor
+ * license agreements. See the NOTICE file distributed with
+ * this work for additional information regarding copyright
+ * ownership. Elasticsearch B.V. licenses this file to you under
+ * the Apache License, Version 2.0 (the "License"); you may
+ * not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ *    http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied.  See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+import { has } from 'lodash';
+import { fieldFormats } from '../../common/field_formats';
+import { IUiSettingsClient } from '../../../../core/server';
+
+export class FieldFormatsService {
+  private readonly fieldFormatClasses: fieldFormats.IFieldFormatType[] =
+    fieldFormats.baseFormatters;
+
+  public setup() {
+    return {
+      register: (customFieldFormat: fieldFormats.IFieldFormatType) =>
+        this.fieldFormatClasses.push(customFieldFormat),
+    };
+  }
+
+  public start() {
+    return {
+      fieldFormatServiceFactory: async (uiSettings: IUiSettingsClient) => {
+        const fieldFormatsRegistry = new fieldFormats.FieldFormatsRegistry();
+        const uiConfigs = await uiSettings.getAll();
+        const registeredUiSettings = uiSettings.getRegistered();
+
+        Object.keys(registeredUiSettings).forEach(key => {
+          if (has(uiConfigs, key) && registeredUiSettings[key].type === 'json') {
+            uiConfigs[key] = JSON.parse(uiConfigs[key]);
+          }
+        });
+
+        fieldFormatsRegistry.init((key: string) => uiConfigs[key], {}, this.fieldFormatClasses);
+
+        return fieldFormatsRegistry;
+      },
+    };
+  }
+}
+
+/** @public */
+export type FieldFormatsSetup = ReturnType<FieldFormatsService['setup']>;
+
+/** @public */
+export type FieldFormatsStart = ReturnType<FieldFormatsService['start']>;
diff --git a/src/plugins/data/common/field_formats/constants/index.ts b/src/plugins/data/server/field_formats/index.ts
similarity index 88%
rename from src/plugins/data/common/field_formats/constants/index.ts
rename to src/plugins/data/server/field_formats/index.ts
index 7f95df4449631..4550a5781535f 100644
--- a/src/plugins/data/common/field_formats/constants/index.ts
+++ b/src/plugins/data/server/field_formats/index.ts
@@ -17,4 +17,4 @@
  * under the License.
  */
 
-export { DEFAULT_CONVERTER_COLOR } from './color_default';
+export { FieldFormatsService, FieldFormatsSetup, FieldFormatsStart } from './field_formats_service';
diff --git a/src/plugins/data/server/index.ts b/src/plugins/data/server/index.ts
index ab908f90fc87b..45bd111a2ce4f 100644
--- a/src/plugins/data/server/index.ts
+++ b/src/plugins/data/server/index.ts
@@ -18,7 +18,7 @@
  */
 
 import { PluginInitializerContext } from '../../../core/server';
-import { DataServerPlugin, DataPluginSetup } from './plugin';
+import { DataServerPlugin, DataPluginSetup, DataPluginStart } from './plugin';
 
 export function plugin(initializerContext: PluginInitializerContext) {
   return new DataServerPlugin(initializerContext);
@@ -29,14 +29,20 @@ export function plugin(initializerContext: PluginInitializerContext) {
  * @public
  */
 export { IRequestTypesMap, IResponseTypesMap } from './search';
+
 export {
-  // field formats
-  FIELD_FORMAT_IDS,
-  IFieldFormat,
-  IFieldFormatId,
-  IFieldFormatType,
+  // es query
+  esFilters,
+  esKuery,
+  esQuery,
+  fieldFormats,
+  // kbn field types
+  castEsToKbnFieldTypeName,
+  getKbnFieldType,
+  getKbnTypeNames,
   // index patterns
   IIndexPattern,
+  isFilterable,
   IFieldType,
   IFieldSubType,
   // kbn field types
@@ -62,36 +68,11 @@ export {
   shouldReadFieldFromDocValues,
   indexPatterns,
 } from './index_patterns';
+
 export * from './search';
-export {
-  // es query
-  esFilters,
-  esKuery,
-  esQuery,
-  // field formats
-  BoolFormat,
-  BytesFormat,
-  ColorFormat,
-  DateFormat,
-  DateNanosFormat,
-  DEFAULT_CONVERTER_COLOR,
-  DurationFormat,
-  FieldFormat,
-  IpFormat,
-  NumberFormat,
-  PercentFormat,
-  RelativeDateFormat,
-  SourceFormat,
-  StaticLookupFormat,
-  StringFormat,
-  TruncateFormat,
-  UrlFormat,
-  // index patterns
-  isFilterable,
-  // kbn field types
-  castEsToKbnFieldTypeName,
-  getKbnFieldType,
-  getKbnTypeNames,
-} from '../common';
 
-export { DataServerPlugin as Plugin, DataPluginSetup as PluginSetup };
+export {
+  DataServerPlugin as Plugin,
+  DataPluginSetup as PluginSetup,
+  DataPluginStart as PluginStart,
+};
diff --git a/src/plugins/data/server/plugin.ts b/src/plugins/data/server/plugin.ts
index 591fdb4c4080d..fcd3b62b2ec67 100644
--- a/src/plugins/data/server/plugin.ts
+++ b/src/plugins/data/server/plugin.ts
@@ -25,20 +25,28 @@ import { ScriptsService } from './scripts';
 import { KqlTelemetryService } from './kql_telemetry';
 import { UsageCollectionSetup } from '../../usage_collection/server';
 import { AutocompleteService } from './autocomplete';
+import { FieldFormatsService, FieldFormatsSetup, FieldFormatsStart } from './field_formats';
 
 export interface DataPluginSetup {
   search: ISearchSetup;
+  fieldFormats: FieldFormatsSetup;
+}
+
+export interface DataPluginStart {
+  fieldFormats: FieldFormatsStart;
 }
 
 export interface DataPluginSetupDependencies {
   usageCollection?: UsageCollectionSetup;
 }
-export class DataServerPlugin implements Plugin<DataPluginSetup> {
+
+export class DataServerPlugin implements Plugin<DataPluginSetup, DataPluginStart> {
   private readonly searchService: SearchService;
   private readonly scriptsService: ScriptsService;
   private readonly kqlTelemetryService: KqlTelemetryService;
   private readonly autocompleteService = new AutocompleteService();
   private readonly indexPatterns = new IndexPatternsService();
+  private readonly fieldFormats = new FieldFormatsService();
 
   constructor(initializerContext: PluginInitializerContext) {
     this.searchService = new SearchService(initializerContext);
@@ -53,11 +61,17 @@ export class DataServerPlugin implements Plugin<DataPluginSetup> {
     this.kqlTelemetryService.setup(core, { usageCollection });
 
     return {
+      fieldFormats: this.fieldFormats.setup(),
       search: this.searchService.setup(core),
     };
   }
 
-  public start(core: CoreStart) {}
+  public start(core: CoreStart) {
+    return {
+      fieldFormats: this.fieldFormats.start(),
+    };
+  }
+
   public stop() {}
 }
 
diff --git a/src/test_utils/public/stub_field_formats.ts b/src/test_utils/public/stub_field_formats.ts
index ea46710c0dc84..32bdca1eea258 100644
--- a/src/test_utils/public/stub_field_formats.ts
+++ b/src/test_utils/public/stub_field_formats.ts
@@ -17,48 +17,13 @@
  * under the License.
  */
 import { CoreSetup } from 'kibana/public';
-
-import {
-  FieldFormatRegisty,
-  BoolFormat,
-  BytesFormat,
-  ColorFormat,
-  DateFormat,
-  DateNanosFormat,
-  DurationFormat,
-  IpFormat,
-  NumberFormat,
-  PercentFormat,
-  RelativeDateFormat,
-  SourceFormat,
-  StaticLookupFormat,
-  StringFormat,
-  TruncateFormat,
-  UrlFormat,
-} from '../../plugins/data/public/';
+import { fieldFormats } from '../../plugins/data/public';
 
 export const getFieldFormatsRegistry = (core: CoreSetup) => {
-  const fieldFormats = new FieldFormatRegisty();
-
-  fieldFormats.register([
-    BoolFormat,
-    BytesFormat,
-    ColorFormat,
-    DateFormat,
-    DateNanosFormat,
-    DurationFormat,
-    IpFormat,
-    NumberFormat,
-    PercentFormat,
-    RelativeDateFormat,
-    SourceFormat,
-    StaticLookupFormat,
-    StringFormat,
-    TruncateFormat,
-    UrlFormat,
-  ]);
+  const fieldFormatsRegistry = new fieldFormats.FieldFormatsRegistry();
+  const getConfig = core.uiSettings.get.bind(core.uiSettings);
 
-  fieldFormats.init(core);
+  fieldFormatsRegistry.init(getConfig, {});
 
-  return fieldFormats;
+  return fieldFormatsRegistry;
 };
diff --git a/src/test_utils/public/stub_index_pattern.js b/src/test_utils/public/stub_index_pattern.js
index 7807821ab09bd..4369661e9e197 100644
--- a/src/test_utils/public/stub_index_pattern.js
+++ b/src/test_utils/public/stub_index_pattern.js
@@ -22,12 +22,7 @@ import sinon from 'sinon';
 // because it is one of the few places that we need to access the IndexPattern class itself, rather
 // than just the type. Doing this as a temporary measure; it will be left behind when migrating to NP.
 
-import {
-  FieldList,
-  FIELD_FORMAT_IDS,
-  IndexPattern,
-  indexPatterns,
-} from '../../plugins/data/public';
+import { FieldList, IndexPattern, indexPatterns, KBN_FIELD_TYPES } from '../../plugins/data/public';
 
 import { setFieldFormats } from '../../plugins/data/public/services';
 
@@ -61,7 +56,7 @@ export default function StubIndexPattern(pattern, getConfig, timeField, fields,
   this.flattenHit = indexPatterns.flattenHitWrapper(this, this.metaFields);
   this.formatHit = indexPatterns.formatHitProvider(
     this,
-    registeredFieldFormats.getDefaultInstance(FIELD_FORMAT_IDS.STRING)
+    registeredFieldFormats.getDefaultInstance(KBN_FIELD_TYPES.STRING)
   );
   this.fieldsFetcher = { apiClient: { baseUrl: '' } };
   this.formatField = this.formatHit.formatField;
diff --git a/x-pack/legacy/plugins/lens/public/metric_visualization_plugin/metric_expression.test.tsx b/x-pack/legacy/plugins/lens/public/metric_visualization_plugin/metric_expression.test.tsx
index 9220c3ec75fad..a9a48c46f5bd0 100644
--- a/x-pack/legacy/plugins/lens/public/metric_visualization_plugin/metric_expression.test.tsx
+++ b/x-pack/legacy/plugins/lens/public/metric_visualization_plugin/metric_expression.test.tsx
@@ -9,7 +9,7 @@ import { LensMultiTable } from '../types';
 import React from 'react';
 import { shallow } from 'enzyme';
 import { MetricConfig } from './types';
-import { FieldFormat } from '../../../../../../src/plugins/data/public';
+import { fieldFormats } from '../../../../../../src/plugins/data/public';
 
 function sampleArgs() {
   const data: LensMultiTable = {
@@ -54,8 +54,11 @@ describe('metric_expression', () => {
     test('it renders the title and value', () => {
       const { data, args } = sampleArgs();
 
-      expect(shallow(<MetricChart data={data} args={args} formatFactory={x => x as FieldFormat} />))
-        .toMatchInlineSnapshot(`
+      expect(
+        shallow(
+          <MetricChart data={data} args={args} formatFactory={x => x as fieldFormats.FieldFormat} />
+        )
+      ).toMatchInlineSnapshot(`
         <VisualizationContainer
           className="lnsMetricExpression__container"
           reportTitle="My fanci metric chart"
@@ -95,7 +98,7 @@ describe('metric_expression', () => {
           <MetricChart
             data={data}
             args={{ ...args, mode: 'reduced' }}
-            formatFactory={x => x as FieldFormat}
+            formatFactory={x => x as fieldFormats.FieldFormat}
           />
         )
       ).toMatchInlineSnapshot(`
diff --git a/x-pack/legacy/plugins/reporting/export_types/csv/server/execute_job.test.js b/x-pack/legacy/plugins/reporting/export_types/csv/server/execute_job.test.js
index 6109db8542764..1abc923d340e6 100644
--- a/x-pack/legacy/plugins/reporting/export_types/csv/server/execute_job.test.js
+++ b/x-pack/legacy/plugins/reporting/export_types/csv/server/execute_job.test.js
@@ -8,10 +8,7 @@ import Puid from 'puid';
 import sinon from 'sinon';
 import nodeCrypto from '@elastic/node-crypto';
 import { CancellationToken } from '../../../common/cancellation_token';
-import { FieldFormatsService } from '../../../../../../../src/legacy/ui/field_formats/mixin/field_formats_service';
-// Reporting uses an unconventional directory structure so the linter marks this as a violation
-// eslint-disable-next-line @kbn/eslint/no-restricted-paths
-import { StringFormat } from '../../../../../../../src/plugins/data/server';
+import { fieldFormats } from '../../../../../../../src/plugins/data/server';
 import { LevelLogger } from '../../../server/lib/level_logger';
 import { executeJobFactory } from './execute_job';
 
@@ -77,8 +74,12 @@ describe('CSV Execute Job', function() {
         uiConfigMock['format:defaultTypeMap'] = {
           _default_: { id: 'string', params: {} },
         };
-        const getConfig = key => uiConfigMock[key];
-        return new FieldFormatsService([StringFormat], getConfig);
+
+        const fieldFormatsRegistry = new fieldFormats.FieldFormatsRegistry();
+
+        fieldFormatsRegistry.init(key => uiConfigMock[key], {}, [fieldFormats.StringFormat]);
+
+        return fieldFormatsRegistry;
       },
       plugins: {
         elasticsearch: {
diff --git a/x-pack/legacy/plugins/reporting/export_types/csv/server/execute_job.ts b/x-pack/legacy/plugins/reporting/export_types/csv/server/execute_job.ts
index d8b4cdd9718ea..fe64fdc96d904 100644
--- a/x-pack/legacy/plugins/reporting/export_types/csv/server/execute_job.ts
+++ b/x-pack/legacy/plugins/reporting/export_types/csv/server/execute_job.ts
@@ -5,17 +5,10 @@
  */
 
 import { i18n } from '@kbn/i18n';
-// eslint-disable-next-line @kbn/eslint/no-restricted-paths
 import { KibanaRequest } from '../../../../../../../src/core/server';
 import { CSV_JOB_TYPE } from '../../../common/constants';
 import { cryptoFactory } from '../../../server/lib';
-import {
-  ESQueueWorkerExecuteFn,
-  ExecuteJobFactory,
-  FieldFormats,
-  Logger,
-  ServerFacade,
-} from '../../../types';
+import { ESQueueWorkerExecuteFn, ExecuteJobFactory, Logger, ServerFacade } from '../../../types';
 import { JobDocPayloadDiscoverCsv } from '../types';
 import { fieldFormatMapFactory } from './lib/field_format_map';
 import { createGenerateCsv } from './lib/generate_csv';
@@ -94,7 +87,7 @@ export const executeJobFactory: ExecuteJobFactory<ESQueueWorkerExecuteFn<
 
     const [formatsMap, uiSettings] = await Promise.all([
       (async () => {
-        const fieldFormats = (await server.fieldFormatServiceFactory(uiConfig)) as FieldFormats;
+        const fieldFormats = await server.fieldFormatServiceFactory(uiConfig);
         return fieldFormatMapFactory(indexPatternSavedObject, fieldFormats);
       })(),
       (async () => {
diff --git a/x-pack/legacy/plugins/reporting/export_types/csv/server/lib/field_format_map.test.ts b/x-pack/legacy/plugins/reporting/export_types/csv/server/lib/field_format_map.test.ts
index b3384dd6ca51d..d1fa44773972f 100644
--- a/x-pack/legacy/plugins/reporting/export_types/csv/server/lib/field_format_map.test.ts
+++ b/x-pack/legacy/plugins/reporting/export_types/csv/server/lib/field_format_map.test.ts
@@ -5,10 +5,8 @@
  */
 
 import expect from '@kbn/expect';
-import { FieldFormatsService } from '../../../../../../../../src/legacy/ui/field_formats/mixin/field_formats_service';
-// Reporting uses an unconventional directory structure so the linter marks this as a violation
-// eslint-disable-next-line @kbn/eslint/no-restricted-paths
-import { BytesFormat, NumberFormat } from '../../../../../../../../src/plugins/data/server';
+
+import { fieldFormats } from '../../../../../../../../src/plugins/data/server';
 import { fieldFormatMapFactory } from './field_format_map';
 
 type ConfigValue = { number: { id: string; params: {} } } | string;
@@ -31,12 +29,13 @@ describe('field format map', function() {
     number: { id: 'number', params: {} },
   };
   configMock['format:number:defaultPattern'] = '0,0.[000]';
-  const getConfig = (key: string) => configMock[key];
+  const getConfig = ((key: string) => configMock[key]) as fieldFormats.GetConfigFn;
   const testValue = '4000';
 
-  const fieldFormats = new FieldFormatsService([BytesFormat, NumberFormat], getConfig);
+  const fieldFormatsRegistry = new fieldFormats.FieldFormatsRegistry();
+  fieldFormatsRegistry.init(getConfig, {}, [fieldFormats.BytesFormat, fieldFormats.NumberFormat]);
 
-  const formatMap = fieldFormatMapFactory(indexPatternSavedObject, fieldFormats);
+  const formatMap = fieldFormatMapFactory(indexPatternSavedObject, fieldFormatsRegistry);
 
   it('should build field format map with entry per index pattern field', function() {
     expect(formatMap.has('field1')).to.be(true);
diff --git a/x-pack/legacy/plugins/reporting/export_types/csv/server/lib/field_format_map.ts b/x-pack/legacy/plugins/reporting/export_types/csv/server/lib/field_format_map.ts
index d013b5e75ee4d..dba97b508f93e 100644
--- a/x-pack/legacy/plugins/reporting/export_types/csv/server/lib/field_format_map.ts
+++ b/x-pack/legacy/plugins/reporting/export_types/csv/server/lib/field_format_map.ts
@@ -5,7 +5,7 @@
  */
 
 import _ from 'lodash';
-import { FieldFormats } from '../../../../types';
+import { fieldFormats } from '../../../../../../../../src/plugins/data/server';
 
 interface IndexPatternSavedObject {
   attributes: {
@@ -25,7 +25,7 @@ interface IndexPatternSavedObject {
  */
 export function fieldFormatMapFactory(
   indexPatternSavedObject: IndexPatternSavedObject,
-  fieldFormats: FieldFormats
+  fieldFormatsRegistry: fieldFormats.FieldFormatsRegistry
 ) {
   const formatsMap = new Map();
 
@@ -33,10 +33,13 @@ export function fieldFormatMapFactory(
   if (_.has(indexPatternSavedObject, 'attributes.fieldFormatMap')) {
     const fieldFormatMap = JSON.parse(indexPatternSavedObject.attributes.fieldFormatMap);
     Object.keys(fieldFormatMap).forEach(fieldName => {
-      const formatConfig = fieldFormatMap[fieldName];
+      const formatConfig: fieldFormats.IFieldFormatConfig = fieldFormatMap[fieldName];
 
       if (!_.isEmpty(formatConfig)) {
-        formatsMap.set(fieldName, fieldFormats.getInstance(formatConfig));
+        formatsMap.set(
+          fieldName,
+          fieldFormatsRegistry.getInstance(formatConfig.id, formatConfig.params)
+        );
       }
     });
   }
@@ -45,7 +48,7 @@ export function fieldFormatMapFactory(
   const indexFields = JSON.parse(_.get(indexPatternSavedObject, 'attributes.fields', '[]'));
   indexFields.forEach((field: any) => {
     if (!formatsMap.has(field.name)) {
-      formatsMap.set(field.name, fieldFormats.getDefaultInstance(field.type));
+      formatsMap.set(field.name, fieldFormatsRegistry.getDefaultInstance(field.type));
     }
   });
 
diff --git a/x-pack/legacy/plugins/reporting/index.ts b/x-pack/legacy/plugins/reporting/index.ts
index 3a60fc143c019..3fb297cb8d82c 100644
--- a/x-pack/legacy/plugins/reporting/index.ts
+++ b/x-pack/legacy/plugins/reporting/index.ts
@@ -7,6 +7,7 @@
 import { resolve } from 'path';
 import { i18n } from '@kbn/i18n';
 import { Legacy } from 'kibana';
+import { IUiSettingsClient } from 'kibana/server';
 import { PLUGIN_ID, UI_SETTINGS_CUSTOM_PDF_LOGO } from './common/constants';
 import { ReportingConfigOptions, ReportingPluginSpecOptions } from './types.d';
 import { config as reportingConfig } from './config';
@@ -17,10 +18,16 @@ import {
   reportingPluginFactory,
 } from './server/plugin';
 
+import { PluginStart as DataPluginStart } from '../../../../src/plugins/data/server';
+
 const kbToBase64Length = (kb: number) => {
   return Math.floor((kb * 1024 * 8) / 6);
 };
 
+interface ReportingDeps {
+  data: DataPluginStart;
+}
+
 export const reporting = (kibana: any) => {
   return new kibana.Plugin({
     id: PLUGIN_ID,
@@ -70,6 +77,14 @@ export const reporting = (kibana: any) => {
       const pluginsSetup: ReportingSetupDeps = {
         usageCollection: server.newPlatform.setup.plugins.usageCollection,
       };
+
+      const fieldFormatServiceFactory = async (uiSettings: IUiSettingsClient) => {
+        const [, plugins] = await coreSetup.getStartServices();
+        const { fieldFormats } = (plugins as ReportingDeps).data;
+
+        return fieldFormats.fieldFormatServiceFactory(uiSettings);
+      };
+
       const __LEGACY: LegacySetup = {
         config: server.config,
         info: server.info,
@@ -80,9 +95,8 @@ export const reporting = (kibana: any) => {
           security: server.plugins.security,
         },
         savedObjects: server.savedObjects,
+        fieldFormatServiceFactory,
         uiSettingsServiceFactory: server.uiSettingsServiceFactory,
-        // @ts-ignore Property 'fieldFormatServiceFactory' does not exist on type 'Server'.
-        fieldFormatServiceFactory: server.fieldFormatServiceFactory,
       };
 
       const initializerContext = server.newPlatform.coreContext;
diff --git a/x-pack/legacy/plugins/reporting/server/plugin.ts b/x-pack/legacy/plugins/reporting/server/plugin.ts
index b0dc56dd8d8d0..42ef5c3df182e 100644
--- a/x-pack/legacy/plugins/reporting/server/plugin.ts
+++ b/x-pack/legacy/plugins/reporting/server/plugin.ts
@@ -6,7 +6,6 @@
 
 import { Legacy } from 'kibana';
 import { CoreSetup, CoreStart, Plugin, LoggerFactory } from 'src/core/server';
-import { IUiSettingsClient } from 'src/core/server';
 import { UsageCollectionSetup } from 'src/plugins/usage_collection/server';
 import { XPackMainPlugin } from '../../xpack_main/server/xpack_main';
 // @ts-ignore
@@ -18,6 +17,7 @@ import { checkLicenseFactory, getExportTypesRegistry, runValidations, LevelLogge
 import { createBrowserDriverFactory } from './browsers';
 import { registerReportingUsageCollector } from './usage';
 import { logConfiguration } from '../log_configuration';
+import { PluginStart as DataPluginStart } from '../../../../../src/plugins/data/server';
 
 export interface ReportingInitializerContext {
   logger: LoggerFactory;
@@ -47,7 +47,7 @@ export interface LegacySetup {
   route: Legacy.Server['route'];
   savedObjects: Legacy.Server['savedObjects'];
   uiSettingsServiceFactory: Legacy.Server['uiSettingsServiceFactory'];
-  fieldFormatServiceFactory: (uiConfig: IUiSettingsClient) => unknown;
+  fieldFormatServiceFactory: DataPluginStart['fieldFormats']['fieldFormatServiceFactory'];
 }
 
 export type ReportingPlugin = Plugin<
diff --git a/x-pack/legacy/plugins/reporting/types.d.ts b/x-pack/legacy/plugins/reporting/types.d.ts
index 6d769c0d7b717..9ba016d8b828d 100644
--- a/x-pack/legacy/plugins/reporting/types.d.ts
+++ b/x-pack/legacy/plugins/reporting/types.d.ts
@@ -7,10 +7,7 @@
 import { ResponseObject } from 'hapi';
 import { EventEmitter } from 'events';
 import { Legacy } from 'kibana';
-import {
-  ElasticsearchPlugin,
-  CallCluster,
-} from '../../../../src/legacy/core_plugins/elasticsearch';
+import { CallCluster } from '../../../../src/legacy/core_plugins/elasticsearch';
 import { CancellationToken } from './common/cancellation_token';
 import { LevelLogger } from './server/lib/level_logger';
 import { HeadlessChromiumDriverFactory } from './server/browsers/chromium/driver_factory';
@@ -334,9 +331,3 @@ export interface InterceptedRequest {
   frameId: string;
   resourceType: string;
 }
-
-export interface FieldFormats {
-  getConfig: number;
-  getInstance: (config: any) => any;
-  getDefaultInstance: (key: string) => any;
-}

From 4df1c4c9c16794eec7b48729539880982a12e23b Mon Sep 17 00:00:00 2001
From: Brian Seeders <brian.seeders@elastic.co>
Date: Mon, 27 Jan 2020 14:46:05 -0500
Subject: [PATCH 20/36] [CI] Retry flaky tests (#53961)

---
 Jenkinsfile                | 29 ++++++++++++---
 vars/githubPr.groovy       | 58 +++++++++++++++++++++++++++--
 vars/kibanaPipeline.groovy |  8 +++-
 vars/retryable.groovy      | 75 ++++++++++++++++++++++++++++++++++++++
 4 files changed, 160 insertions(+), 10 deletions(-)
 create mode 100644 vars/retryable.groovy

diff --git a/Jenkinsfile b/Jenkinsfile
index f6844c7f03fe6..4695004cd010a 100644
--- a/Jenkinsfile
+++ b/Jenkinsfile
@@ -4,16 +4,21 @@ library 'kibana-pipeline-library'
 kibanaLibrary.load()
 
 stage("Kibana Pipeline") { // This stage is just here to help the BlueOcean UI a little bit
-  timeout(time: 120, unit: 'MINUTES') {
+  timeout(time: 135, unit: 'MINUTES') {
     timestamps {
       ansiColor('xterm') {
         githubPr.withDefaultPrComments {
           catchError {
+            retryable.enable()
             parallel([
               'kibana-intake-agent': kibanaPipeline.legacyJobRunner('kibana-intake'),
               'x-pack-intake-agent': kibanaPipeline.legacyJobRunner('x-pack-intake'),
               'kibana-oss-agent': kibanaPipeline.withWorkers('kibana-oss-tests', { kibanaPipeline.buildOss() }, [
-                'oss-firefoxSmoke': kibanaPipeline.getPostBuildWorker('firefoxSmoke', { runbld('./test/scripts/jenkins_firefox_smoke.sh', 'Execute kibana-firefoxSmoke') }),
+                'oss-firefoxSmoke': kibanaPipeline.getPostBuildWorker('firefoxSmoke', {
+                  retryable('kibana-firefoxSmoke') {
+                    runbld('./test/scripts/jenkins_firefox_smoke.sh', 'Execute kibana-firefoxSmoke')
+                  }
+                }),
                 'oss-ciGroup1': kibanaPipeline.getOssCiGroupWorker(1),
                 'oss-ciGroup2': kibanaPipeline.getOssCiGroupWorker(2),
                 'oss-ciGroup3': kibanaPipeline.getOssCiGroupWorker(3),
@@ -26,11 +31,19 @@ stage("Kibana Pipeline") { // This stage is just here to help the BlueOcean UI a
                 'oss-ciGroup10': kibanaPipeline.getOssCiGroupWorker(10),
                 'oss-ciGroup11': kibanaPipeline.getOssCiGroupWorker(11),
                 'oss-ciGroup12': kibanaPipeline.getOssCiGroupWorker(12),
-                'oss-accessibility': kibanaPipeline.getPostBuildWorker('accessibility', { runbld('./test/scripts/jenkins_accessibility.sh', 'Execute kibana-accessibility') }),
+                'oss-accessibility': kibanaPipeline.getPostBuildWorker('accessibility', {
+                  retryable('kibana-accessibility') {
+                    runbld('./test/scripts/jenkins_accessibility.sh', 'Execute kibana-accessibility')
+                  }
+                }),
                 // 'oss-visualRegression': kibanaPipeline.getPostBuildWorker('visualRegression', { runbld('./test/scripts/jenkins_visual_regression.sh', 'Execute kibana-visualRegression') }),
               ]),
               'kibana-xpack-agent': kibanaPipeline.withWorkers('kibana-xpack-tests', { kibanaPipeline.buildXpack() }, [
-                'xpack-firefoxSmoke': kibanaPipeline.getPostBuildWorker('xpack-firefoxSmoke', { runbld('./test/scripts/jenkins_xpack_firefox_smoke.sh', 'Execute xpack-firefoxSmoke') }),
+                'xpack-firefoxSmoke': kibanaPipeline.getPostBuildWorker('xpack-firefoxSmoke', {
+                  retryable('xpack-firefoxSmoke') {
+                    runbld('./test/scripts/jenkins_xpack_firefox_smoke.sh', 'Execute xpack-firefoxSmoke')
+                  }
+                }),
                 'xpack-ciGroup1': kibanaPipeline.getXpackCiGroupWorker(1),
                 'xpack-ciGroup2': kibanaPipeline.getXpackCiGroupWorker(2),
                 'xpack-ciGroup3': kibanaPipeline.getXpackCiGroupWorker(3),
@@ -41,12 +54,18 @@ stage("Kibana Pipeline") { // This stage is just here to help the BlueOcean UI a
                 'xpack-ciGroup8': kibanaPipeline.getXpackCiGroupWorker(8),
                 'xpack-ciGroup9': kibanaPipeline.getXpackCiGroupWorker(9),
                 'xpack-ciGroup10': kibanaPipeline.getXpackCiGroupWorker(10),
-                'xpack-accessibility': kibanaPipeline.getPostBuildWorker('xpack-accessibility', { runbld('./test/scripts/jenkins_xpack_accessibility.sh', 'Execute xpack-accessibility') }),
+                'xpack-accessibility': kibanaPipeline.getPostBuildWorker('xpack-accessibility', {
+                  retryable('xpack-accessibility') {
+                    runbld('./test/scripts/jenkins_xpack_accessibility.sh', 'Execute xpack-accessibility')
+                  }
+                }),
                 // 'xpack-visualRegression': kibanaPipeline.getPostBuildWorker('xpack-visualRegression', { runbld('./test/scripts/jenkins_xpack_visual_regression.sh', 'Execute xpack-visualRegression') }),
               ]),
             ])
           }
         }
+
+        retryable.printFlakyFailures()
         kibanaPipeline.sendMail()
       }
     }
diff --git a/vars/githubPr.groovy b/vars/githubPr.groovy
index ce164ab98ab1e..4c19511bb8953 100644
--- a/vars/githubPr.groovy
+++ b/vars/githubPr.groovy
@@ -88,6 +88,8 @@ def getHistoryText(builds) {
     .collect { build ->
       if (build.status == "SUCCESS") {
         return "* :green_heart: [Build #${build.number}](${build.url}) succeeded ${build.commit}"
+      } else if(build.status == "UNSTABLE") {
+        return "* :yellow_heart: [Build #${build.number}](${build.url}) was flaky ${build.commit}"
       } else {
         return "* :broken_heart: [Build #${build.number}](${build.url}) failed ${build.commit}"
       }
@@ -97,18 +99,66 @@ def getHistoryText(builds) {
   return "### History\n${list}"
 }
 
+def getTestFailuresMessage() {
+  def failures = testUtils.getFailures()
+  if (!failures) {
+    return ""
+  }
+
+  def messages = []
+
+  failures.take(5).each { failure ->
+    messages << """
+---
+
+### [Test Failures](${env.BUILD_URL}testReport)
+<details><summary>${failure.fullDisplayName}</summary>
+
+[Link to Jenkins](${failure.url})
+
+```
+${failure.stdOut}
+```
+</details>
+
+---
+    """
+  }
+
+  if (failures.size() > 3) {
+    messages << "and ${failures.size() - 3} more failures, only showing the first 3."
+  }
+
+  return messages.join("\n")
+}
+
 def getNextCommentMessage(previousCommentInfo = [:]) {
-  info = previousCommentInfo ?: [:]
+  def info = previousCommentInfo ?: [:]
   info.builds = previousCommentInfo.builds ?: []
 
   def messages = []
+  def status = buildUtils.getBuildStatus()
 
-  if (buildUtils.getBuildStatus() == 'SUCCESS') {
+  if (status == 'SUCCESS') {
     messages << """
       ## :green_heart: Build Succeeded
       * [continuous-integration/kibana-ci/pull-request](${env.BUILD_URL})
       * Commit: ${getCommitHash()}
     """
+  } else if(status == 'UNSTABLE') {
+    def message = """
+      ## :yellow_heart: Build succeeded, but was flaky
+      * [continuous-integration/kibana-ci/pull-request](${env.BUILD_URL})
+      * Commit: ${getCommitHash()}
+    """.stripIndent()
+
+    def failures = retryable.getFlakyFailures()
+    if (failures && failures.size() > 0) {
+      def list = failures.collect { "  * ${it.label}" }.join("\n")
+      message += "* Flaky suites:\n${list}"
+    }
+
+    messages << message
   } else {
     messages << """
       ## :broken_heart: Build Failed
@@ -117,6 +167,8 @@ def getNextCommentMessage(previousCommentInfo = [:]) {
     """
   }
 
+  messages << getTestFailuresMessage()
+
   if (info.builds && info.builds.size() > 0) {
     messages << getHistoryText(info.builds)
   }
@@ -133,7 +185,7 @@ def getNextCommentMessage(previousCommentInfo = [:]) {
 
   return messages
     .findAll { !!it } // No blank strings
-    .collect { it.stripIndent().trim() }
+    .collect { it.stripIndent().trim() } // This just allows us to indent various strings above, but leaves them un-indented in the comment
     .join("\n\n")
 }
 
diff --git a/vars/kibanaPipeline.groovy b/vars/kibanaPipeline.groovy
index 5c6be70514c61..346bcf77b96b1 100644
--- a/vars/kibanaPipeline.groovy
+++ b/vars/kibanaPipeline.groovy
@@ -70,7 +70,9 @@ def getOssCiGroupWorker(ciGroup) {
       "CI_GROUP=${ciGroup}",
       "JOB=kibana-ciGroup${ciGroup}",
     ]) {
-      runbld("./test/scripts/jenkins_ci_group.sh", "Execute kibana-ciGroup${ciGroup}")
+      retryable("kibana-ciGroup${ciGroup}") {
+        runbld("./test/scripts/jenkins_ci_group.sh", "Execute kibana-ciGroup${ciGroup}")
+      }
     }
   })
 }
@@ -81,7 +83,9 @@ def getXpackCiGroupWorker(ciGroup) {
       "CI_GROUP=${ciGroup}",
       "JOB=xpack-kibana-ciGroup${ciGroup}",
     ]) {
-      runbld("./test/scripts/jenkins_xpack_ci_group.sh", "Execute xpack-kibana-ciGroup${ciGroup}")
+      retryable("xpack-kibana-ciGroup${ciGroup}") {
+        runbld("./test/scripts/jenkins_xpack_ci_group.sh", "Execute xpack-kibana-ciGroup${ciGroup}")
+      }
     }
   })
 }
diff --git a/vars/retryable.groovy b/vars/retryable.groovy
new file mode 100644
index 0000000000000..cc34024958aed
--- /dev/null
+++ b/vars/retryable.groovy
@@ -0,0 +1,75 @@
+import groovy.transform.Field
+
+public static @Field GLOBAL_RETRIES_ENABLED = false
+public static @Field MAX_GLOBAL_RETRIES = 1
+public static @Field CURRENT_GLOBAL_RETRIES = 0
+public static @Field FLAKY_FAILURES = []
+
+def setMax(max) {
+  retryable.MAX_GLOBAL_RETRIES = max
+}
+
+def enable() {
+  retryable.GLOBAL_RETRIES_ENABLED = true
+}
+
+def enable(max) {
+  enable()
+  setMax(max)
+}
+
+def haveReachedMaxRetries() {
+  return retryable.CURRENT_GLOBAL_RETRIES >= retryable.MAX_GLOBAL_RETRIES
+}
+
+def getFlakyFailures() {
+  return retryable.FLAKY_FAILURES
+}
+
+def printFlakyFailures() {
+  catchError {
+    def failures = getFlakyFailures()
+
+    if (failures && failures.size() > 0) {
+      print "This build had the following flaky failures:"
+      failures.each {
+        print "\n${it.label}"
+        buildUtils.printStacktrace(it.exception)
+      }
+    }
+  }
+}
+
+def call(label, Closure closure) {
+  if (!retryable.GLOBAL_RETRIES_ENABLED) {
+    closure()
+    return
+  }
+
+  try {
+    closure()
+  } catch (ex) {
+    if (haveReachedMaxRetries()) {
+      print "Couldn't retry '${label}', have already reached the max number of retries for this build."
+      throw ex
+    }
+
+    retryable.CURRENT_GLOBAL_RETRIES++
+    buildUtils.printStacktrace(ex)
+    unstable "${label} failed but is retryable, trying a second time..."
+
+    def JOB = env.JOB ? "${env.JOB}-retry" : ""
+    withEnv([
+      "JOB=${JOB}",
+    ]) {
+      closure()
+    }
+
+    retryable.FLAKY_FAILURES << [
+      label: label,
+      exception: ex,
+    ]
+
+    unstable "${label} failed on the first attempt, but succeeded on the second. Marking it as flaky."
+  }
+}

From 8fe39aef9d44684cc69ae29c33a976b95b4c6893 Mon Sep 17 00:00:00 2001
From: =?UTF-8?q?Mike=20C=C3=B4t=C3=A9?= <mikecote@users.noreply.github.com>
Date: Mon, 27 Jan 2020 15:02:44 -0500
Subject: [PATCH 21/36] Cleanup action task params objects after successful
 execution (#55227)

* Cleanup action task params saved objects after use

* Fix jest tests

* Add integration test to ensure object gets cleaned up

* Add unit tests

* Fix comment

* Re-use updated_at instead of creating createdAt

* Consider null/undefined returned from executor as success as well

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../server/lib/action_executor.mock.ts        |  2 +-
 .../server/lib/task_runner_factory.test.ts    | 55 +++++++++++++++++++
 .../actions/server/lib/task_runner_factory.ts | 17 ++++++
 x-pack/plugins/actions/server/plugin.ts       |  2 +
 .../common/fixtures/plugins/alerts/index.ts   |  7 ++-
 .../common/lib/task_manager_utils.ts          | 33 +++++++++++
 .../tests/alerting/alerts.ts                  |  2 +
 .../spaces_only/tests/alerting/alerts_base.ts |  5 ++
 8 files changed, 119 insertions(+), 4 deletions(-)

diff --git a/x-pack/plugins/actions/server/lib/action_executor.mock.ts b/x-pack/plugins/actions/server/lib/action_executor.mock.ts
index 73e5e96ab24ed..b4419cd761bbe 100644
--- a/x-pack/plugins/actions/server/lib/action_executor.mock.ts
+++ b/x-pack/plugins/actions/server/lib/action_executor.mock.ts
@@ -9,7 +9,7 @@ import { ActionExecutorContract } from './action_executor';
 const createActionExecutorMock = () => {
   const mocked: jest.Mocked<ActionExecutorContract> = {
     initialize: jest.fn(),
-    execute: jest.fn(),
+    execute: jest.fn().mockResolvedValue({ status: 'ok', actionId: '' }),
   };
   return mocked;
 };
diff --git a/x-pack/plugins/actions/server/lib/task_runner_factory.test.ts b/x-pack/plugins/actions/server/lib/task_runner_factory.test.ts
index 2246193057d0e..8890de2483290 100644
--- a/x-pack/plugins/actions/server/lib/task_runner_factory.test.ts
+++ b/x-pack/plugins/actions/server/lib/task_runner_factory.test.ts
@@ -63,13 +63,18 @@ const actionExecutorInitializerParams = {
 };
 const taskRunnerFactoryInitializerParams = {
   spaceIdToNamespace,
+  logger: loggingServiceMock.create().get(),
   encryptedSavedObjectsPlugin: mockedEncryptedSavedObjectsPlugin,
   getBasePath: jest.fn().mockReturnValue(undefined),
+  getScopedSavedObjectsClient: jest.fn().mockReturnValue(services.savedObjectsClient),
 };
 
 beforeEach(() => {
   jest.resetAllMocks();
   actionExecutorInitializerParams.getServices.mockReturnValue(services);
+  taskRunnerFactoryInitializerParams.getScopedSavedObjectsClient.mockReturnValue(
+    services.savedObjectsClient
+  );
 });
 
 test(`throws an error if factory isn't initialized`, () => {
@@ -135,6 +140,56 @@ test('executes the task by calling the executor with proper parameters', async (
   });
 });
 
+test('cleans up action_task_params object', async () => {
+  const taskRunner = taskRunnerFactory.create({
+    taskInstance: mockedTaskInstance,
+  });
+
+  mockedActionExecutor.execute.mockResolvedValueOnce({ status: 'ok', actionId: '2' });
+  spaceIdToNamespace.mockReturnValueOnce('namespace-test');
+  mockedEncryptedSavedObjectsPlugin.getDecryptedAsInternalUser.mockResolvedValueOnce({
+    id: '3',
+    type: 'action_task_params',
+    attributes: {
+      actionId: '2',
+      params: { baz: true },
+      apiKey: Buffer.from('123:abc').toString('base64'),
+    },
+    references: [],
+  });
+
+  await taskRunner.run();
+
+  expect(services.savedObjectsClient.delete).toHaveBeenCalledWith('action_task_params', '3');
+});
+
+test('runs successfully when cleanup fails and logs the error', async () => {
+  const taskRunner = taskRunnerFactory.create({
+    taskInstance: mockedTaskInstance,
+  });
+
+  mockedActionExecutor.execute.mockResolvedValueOnce({ status: 'ok', actionId: '2' });
+  spaceIdToNamespace.mockReturnValueOnce('namespace-test');
+  mockedEncryptedSavedObjectsPlugin.getDecryptedAsInternalUser.mockResolvedValueOnce({
+    id: '3',
+    type: 'action_task_params',
+    attributes: {
+      actionId: '2',
+      params: { baz: true },
+      apiKey: Buffer.from('123:abc').toString('base64'),
+    },
+    references: [],
+  });
+  services.savedObjectsClient.delete.mockRejectedValueOnce(new Error('Fail'));
+
+  await taskRunner.run();
+
+  expect(services.savedObjectsClient.delete).toHaveBeenCalledWith('action_task_params', '3');
+  expect(taskRunnerFactoryInitializerParams.logger.error).toHaveBeenCalledWith(
+    'Failed to cleanup action_task_params object [id="3"]: Fail'
+  );
+});
+
 test('throws an error with suggested retry logic when return status is error', async () => {
   const taskRunner = taskRunnerFactory.create({
     taskInstance: mockedTaskInstance,
diff --git a/x-pack/plugins/actions/server/lib/task_runner_factory.ts b/x-pack/plugins/actions/server/lib/task_runner_factory.ts
index 59da7bdfab318..c3e89e0c16efc 100644
--- a/x-pack/plugins/actions/server/lib/task_runner_factory.ts
+++ b/x-pack/plugins/actions/server/lib/task_runner_factory.ts
@@ -6,14 +6,17 @@
 
 import { ActionExecutorContract } from './action_executor';
 import { ExecutorError } from './executor_error';
+import { Logger, CoreStart } from '../../../../../src/core/server';
 import { RunContext } from '../../../task_manager/server';
 import { PluginStartContract as EncryptedSavedObjectsStartContract } from '../../../encrypted_saved_objects/server';
 import { ActionTaskParams, GetBasePathFunction, SpaceIdToNamespaceFunction } from '../types';
 
 export interface TaskRunnerContext {
+  logger: Logger;
   encryptedSavedObjectsPlugin: EncryptedSavedObjectsStartContract;
   spaceIdToNamespace: SpaceIdToNamespaceFunction;
   getBasePath: GetBasePathFunction;
+  getScopedSavedObjectsClient: CoreStart['savedObjects']['getScopedClient'];
 }
 
 export class TaskRunnerFactory {
@@ -40,9 +43,11 @@ export class TaskRunnerFactory {
 
     const { actionExecutor } = this;
     const {
+      logger,
       encryptedSavedObjectsPlugin,
       spaceIdToNamespace,
       getBasePath,
+      getScopedSavedObjectsClient,
     } = this.taskRunnerContext!;
 
     return {
@@ -85,6 +90,7 @@ export class TaskRunnerFactory {
           actionId,
           request: fakeRequest,
         });
+
         if (executorResult.status === 'error') {
           // Task manager error handler only kicks in when an error thrown (at this time)
           // So what we have to do is throw when the return status is `error`.
@@ -94,6 +100,17 @@ export class TaskRunnerFactory {
             executorResult.retry == null ? false : executorResult.retry
           );
         }
+
+        // Cleanup action_task_params object now that we're done with it
+        try {
+          const savedObjectsClient = getScopedSavedObjectsClient(fakeRequest);
+          await savedObjectsClient.delete('action_task_params', actionTaskParamsId);
+        } catch (e) {
+          // Log error only, we shouldn't fail the task because of an error here (if ever there's retry logic)
+          logger.error(
+            `Failed to cleanup action_task_params object [id="${actionTaskParamsId}"]: ${e.message}`
+          );
+        }
       },
     };
   }
diff --git a/x-pack/plugins/actions/server/plugin.ts b/x-pack/plugins/actions/server/plugin.ts
index 6412593488cf8..cb0e3347541fd 100644
--- a/x-pack/plugins/actions/server/plugin.ts
+++ b/x-pack/plugins/actions/server/plugin.ts
@@ -191,9 +191,11 @@ export class ActionsPlugin implements Plugin<Promise<PluginSetupContract>, Plugi
     });
 
     taskRunnerFactory!.initialize({
+      logger,
       encryptedSavedObjectsPlugin: plugins.encryptedSavedObjects,
       getBasePath: this.getBasePath,
       spaceIdToNamespace: this.spaceIdToNamespace,
+      getScopedSavedObjectsClient: core.savedObjects.getScopedClient,
     });
 
     return {
diff --git a/x-pack/test/alerting_api_integration/common/fixtures/plugins/alerts/index.ts b/x-pack/test/alerting_api_integration/common/fixtures/plugins/alerts/index.ts
index 9d019352ff570..6c2a22f2737fe 100644
--- a/x-pack/test/alerting_api_integration/common/fixtures/plugins/alerts/index.ts
+++ b/x-pack/test/alerting_api_integration/common/fixtures/plugins/alerts/index.ts
@@ -62,7 +62,7 @@ export default function(kibana: any) {
             encrypted: schema.string(),
           }),
         },
-        async executor({ config, secrets, params, services }: ActionTypeExecutorOptions) {
+        async executor({ config, secrets, params, services, actionId }: ActionTypeExecutorOptions) {
           await services.callCluster('index', {
             index: params.index,
             refresh: 'wait_for',
@@ -74,6 +74,7 @@ export default function(kibana: any) {
               source: 'action:test.index-record',
             },
           });
+          return { status: 'ok', actionId };
         },
       };
       const failingActionType: ActionType = {
@@ -141,7 +142,7 @@ export default function(kibana: any) {
             reference: schema.string(),
           }),
         },
-        async executor({ params, services }: ActionTypeExecutorOptions) {
+        async executor({ params, services, actionId }: ActionTypeExecutorOptions) {
           // Call cluster
           let callClusterSuccess = false;
           let callClusterError;
@@ -186,8 +187,8 @@ export default function(kibana: any) {
             },
           });
           return {
+            actionId,
             status: 'ok',
-            actionId: '',
           };
         },
       };
diff --git a/x-pack/test/alerting_api_integration/common/lib/task_manager_utils.ts b/x-pack/test/alerting_api_integration/common/lib/task_manager_utils.ts
index b72960b162e76..3a1d035a023c2 100644
--- a/x-pack/test/alerting_api_integration/common/lib/task_manager_utils.ts
+++ b/x-pack/test/alerting_api_integration/common/lib/task_manager_utils.ts
@@ -43,4 +43,37 @@ export class TaskManagerUtils {
       }
     });
   }
+
+  async waitForActionTaskParamsToBeCleanedUp(createdAtFilter: Date): Promise<void> {
+    return await this.retry.try(async () => {
+      const searchResult = await this.es.search({
+        index: '.kibana',
+        body: {
+          query: {
+            bool: {
+              must: [
+                {
+                  term: {
+                    type: 'action_task_params',
+                  },
+                },
+                {
+                  range: {
+                    updated_at: {
+                      gte: createdAtFilter,
+                    },
+                  },
+                },
+              ],
+            },
+          },
+        },
+      });
+      if (searchResult.hits.total.value) {
+        throw new Error(
+          `Expected 0 action_task_params objects but received ${searchResult.hits.total.value}`
+        );
+      }
+    });
+  }
 }
diff --git a/x-pack/test/alerting_api_integration/security_and_spaces/tests/alerting/alerts.ts b/x-pack/test/alerting_api_integration/security_and_spaces/tests/alerting/alerts.ts
index 08e6c90a1044c..386ba0adf5aab 100644
--- a/x-pack/test/alerting_api_integration/security_and_spaces/tests/alerting/alerts.ts
+++ b/x-pack/test/alerting_api_integration/security_and_spaces/tests/alerting/alerts.ts
@@ -147,6 +147,8 @@ export default function alertTests({ getService }: FtrProviderContext) {
                 reference,
                 source: 'action:test.index-record',
               });
+
+              await taskManagerUtils.waitForActionTaskParamsToBeCleanedUp(testStart);
               break;
             default:
               throw new Error(`Scenario untested: ${JSON.stringify(scenario)}`);
diff --git a/x-pack/test/alerting_api_integration/spaces_only/tests/alerting/alerts_base.ts b/x-pack/test/alerting_api_integration/spaces_only/tests/alerting/alerts_base.ts
index d9a58851afb31..3c60d2779720a 100644
--- a/x-pack/test/alerting_api_integration/spaces_only/tests/alerting/alerts_base.ts
+++ b/x-pack/test/alerting_api_integration/spaces_only/tests/alerting/alerts_base.ts
@@ -16,6 +16,7 @@ import {
   ObjectRemover,
   AlertUtils,
   ensureDatetimeIsWithinRange,
+  TaskManagerUtils,
 } from '../../../common/lib';
 
 // eslint-disable-next-line import/no-default-export
@@ -24,6 +25,7 @@ export function alertTests({ getService }: FtrProviderContext, space: Space) {
   const es = getService('legacyEs');
   const retry = getService('retry');
   const esTestIndexTool = new ESTestIndexTool(es, retry);
+  const taskManagerUtils = new TaskManagerUtils(es, retry);
 
   function getAlertingTaskById(taskId: string) {
     return supertestWithoutAuth
@@ -73,6 +75,7 @@ export function alertTests({ getService }: FtrProviderContext, space: Space) {
     });
 
     it('should schedule task, run alert and schedule actions', async () => {
+      const testStart = new Date();
       const reference = alertUtils.generateReference();
       const response = await alertUtils.createAlwaysFiringAction({ reference });
       const alertId = response.body.id;
@@ -121,6 +124,8 @@ export function alertTests({ getService }: FtrProviderContext, space: Space) {
         reference,
         source: 'action:test.index-record',
       });
+
+      await taskManagerUtils.waitForActionTaskParamsToBeCleanedUp(testStart);
     });
 
     it('should reschedule failing alerts using the alerting interval and not the Task Manager retry logic', async () => {

From 1df019021f445e1a800179ef2bda34001f94edc8 Mon Sep 17 00:00:00 2001
From: Justin Kambic <justin.kambic@elastic.co>
Date: Mon, 27 Jan 2020 13:07:39 -0700
Subject: [PATCH 22/36] [Uptime] Reintroduce a column for url (#55451)

* Reintroduce a column for url.

* Reintroduce original URL column.

* Update busted test snapshots.

* Truncate long URLs.

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../__snapshots__/monitor_list.test.tsx.snap  | 12 +++++++++
 .../monitor_list_pagination.test.tsx.snap     | 12 +++++++++
 .../functional/monitor_list/monitor_list.tsx  | 25 ++++++++++++++++---
 .../functional/monitor_list/translations.ts   |  4 +++
 4 files changed, 50 insertions(+), 3 deletions(-)

diff --git a/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/__tests__/__snapshots__/monitor_list.test.tsx.snap b/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/__tests__/__snapshots__/monitor_list.test.tsx.snap
index e32771faf5912..1de49f1223699 100644
--- a/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/__tests__/__snapshots__/monitor_list.test.tsx.snap
+++ b/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/__tests__/__snapshots__/monitor_list.test.tsx.snap
@@ -36,6 +36,12 @@ exports[`MonitorList component renders a no items message when no data is provid
             "sortable": true,
             "width": "30%",
           },
+          Object {
+            "aligh": "left",
+            "field": "state.url.full",
+            "name": "Url",
+            "render": [Function],
+          },
           Object {
             "align": "center",
             "field": "histogram.points",
@@ -128,6 +134,12 @@ exports[`MonitorList component renders the monitor list 1`] = `
             "sortable": true,
             "width": "30%",
           },
+          Object {
+            "aligh": "left",
+            "field": "state.url.full",
+            "name": "Url",
+            "render": [Function],
+          },
           Object {
             "align": "center",
             "field": "histogram.points",
diff --git a/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/__tests__/__snapshots__/monitor_list_pagination.test.tsx.snap b/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/__tests__/__snapshots__/monitor_list_pagination.test.tsx.snap
index a2cae3e1e3b6b..aa9d3a3ed0d8c 100644
--- a/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/__tests__/__snapshots__/monitor_list_pagination.test.tsx.snap
+++ b/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/__tests__/__snapshots__/monitor_list_pagination.test.tsx.snap
@@ -36,6 +36,12 @@ exports[`MonitorList component renders a no items message when no data is provid
             "sortable": true,
             "width": "30%",
           },
+          Object {
+            "aligh": "left",
+            "field": "state.url.full",
+            "name": "Url",
+            "render": [Function],
+          },
           Object {
             "align": "center",
             "field": "histogram.points",
@@ -128,6 +134,12 @@ exports[`MonitorList component renders the monitor list 1`] = `
             "sortable": true,
             "width": "30%",
           },
+          Object {
+            "aligh": "left",
+            "field": "state.url.full",
+            "name": "Url",
+            "render": [Function],
+          },
           Object {
             "align": "center",
             "field": "histogram.points",
diff --git a/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/monitor_list.tsx b/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/monitor_list.tsx
index b1b25baf7d873..1d0930f1faaef 100644
--- a/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/monitor_list.tsx
+++ b/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/monitor_list.tsx
@@ -5,17 +5,20 @@
  */
 
 import {
+  EuiButtonIcon,
   EuiBasicTable,
   EuiFlexGroup,
-  EuiPanel,
-  EuiTitle,
-  EuiButtonIcon,
   EuiFlexItem,
+  EuiIcon,
+  EuiLink,
+  EuiPanel,
   EuiSpacer,
+  EuiTitle,
 } from '@elastic/eui';
 import { FormattedMessage } from '@kbn/i18n/react';
 import { get } from 'lodash';
 import React, { useState, Fragment } from 'react';
+import styled from 'styled-components';
 import { withUptimeGraphQL, UptimeGraphQLQueryProps } from '../../higher_order';
 import { monitorStatesQuery } from '../../../queries/monitor_states_query';
 import {
@@ -47,6 +50,12 @@ interface MonitorListProps {
 
 type Props = UptimeGraphQLQueryProps<MonitorListQueryResult> & MonitorListProps;
 
+const TruncatedEuiLink = styled(EuiLink)`
+  white-space: nowrap;
+  overflow: hidden;
+  text-overflow: ellipsis;
+`;
+
 export const MonitorListComponent = (props: Props) => {
   const {
     absoluteStartDate,
@@ -99,6 +108,16 @@ export const MonitorListComponent = (props: Props) => {
       ),
       sortable: true,
     },
+    {
+      aligh: 'left' as const,
+      field: 'state.url.full',
+      name: labels.URL,
+      render: (url: string, summary: MonitorSummary) => (
+        <TruncatedEuiLink href={url} target="_blank" color="text">
+          {url} <EuiIcon size="s" type="popout" color="subbdued" />
+        </TruncatedEuiLink>
+      ),
+    },
     {
       align: 'center' as const,
       field: 'histogram.points',
diff --git a/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/translations.ts b/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/translations.ts
index 9f17f6d7f27b0..beacdec1ae265 100644
--- a/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/translations.ts
+++ b/x-pack/legacy/plugins/uptime/public/components/functional/monitor_list/translations.ts
@@ -52,3 +52,7 @@ export const NO_DATA_MESSAGE = i18n.translate('xpack.uptime.monitorList.noItemMe
   defaultMessage: 'No uptime monitors found',
   description: 'This message is shown if the monitors table is rendered but has no items.',
 });
+
+export const URL = i18n.translate('xpack.uptime.monitorList.table.url.name', {
+  defaultMessage: 'Url',
+});

From 35603c8832af49b485254e83727e42bffe810bb9 Mon Sep 17 00:00:00 2001
From: Andrew Cholakian <andrew@andrewvc.com>
Date: Mon, 27 Jan 2020 14:42:56 -0600
Subject: [PATCH 23/36] [Uptime] Simplify snapshot max to Infinity (#55931)

Fixes https://github.com/elastic/uptime/issues/119

Rather than relying on a contant for the max number of monitors, it's
easier to just use infinity. This is simpler than making the iterator
more complex with an 'infinite' mode.

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../plugins/uptime/common/constants/context_defaults.ts     | 6 ------
 .../monitor_states/elasticsearch_monitor_states_adapter.ts  | 2 +-
 2 files changed, 1 insertion(+), 7 deletions(-)

diff --git a/x-pack/legacy/plugins/uptime/common/constants/context_defaults.ts b/x-pack/legacy/plugins/uptime/common/constants/context_defaults.ts
index e0f0333bb8cfd..540e60a28b066 100644
--- a/x-pack/legacy/plugins/uptime/common/constants/context_defaults.ts
+++ b/x-pack/legacy/plugins/uptime/common/constants/context_defaults.ts
@@ -19,10 +19,4 @@ export const CONTEXT_DEFAULTS = {
     cursorDirection: CursorDirection.AFTER,
     sortOrder: SortOrder.ASC,
   },
-
-  /**
-   * Defines the maximum number of monitors to iterate on
-   * in a single count session. The intention is to catch as many as possible.
-   */
-  MAX_MONITORS_FOR_SNAPSHOT_COUNT: 1000000,
 };
diff --git a/x-pack/legacy/plugins/uptime/server/lib/adapters/monitor_states/elasticsearch_monitor_states_adapter.ts b/x-pack/legacy/plugins/uptime/server/lib/adapters/monitor_states/elasticsearch_monitor_states_adapter.ts
index eaaa8087e57cd..7ed973e6f057d 100644
--- a/x-pack/legacy/plugins/uptime/server/lib/adapters/monitor_states/elasticsearch_monitor_states_adapter.ts
+++ b/x-pack/legacy/plugins/uptime/server/lib/adapters/monitor_states/elasticsearch_monitor_states_adapter.ts
@@ -61,7 +61,7 @@ export const elasticsearchMonitorStatesAdapter: UMMonitorStatesAdapter = {
       dateRangeEnd,
       CONTEXT_DEFAULTS.CURSOR_PAGINATION,
       filters && filters !== '' ? JSON.parse(filters) : null,
-      CONTEXT_DEFAULTS.MAX_MONITORS_FOR_SNAPSHOT_COUNT,
+      Infinity,
       statusFilter
     );
 

From be9d9c2ffe4bd01a0b6b366b01688fb50d010a8d Mon Sep 17 00:00:00 2001
From: Poff Poffenberger <poffdeluxe@gmail.com>
Date: Mon, 27 Jan 2020 15:01:26 -0600
Subject: [PATCH 24/36] [Canvas] Remove Angular and unnecessary reporting
 config from Canvas (#54050)

* Remove Angular from Canvas

* Remove reporting config behavior from Canvas since it's no longer needed

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../canvas/.storybook/storyshots.test.js      |  8 ---
 .../i18n/{angular.ts => capabilities.ts}      |  8 +--
 x-pack/legacy/plugins/canvas/i18n/index.ts    |  2 +-
 .../canvas/public/angular/config/index.js     |  8 ---
 .../angular/config/location_provider.ts       | 21 --------
 .../public/angular/config/state_management.js | 13 -----
 .../public/angular/controllers/canvas.tsx     | 54 -------------------
 .../public/angular/controllers/index.ts       |  7 ---
 .../canvas/public/angular/services/index.js   |  7 ---
 .../canvas/public/angular/services/store.js   | 31 -----------
 .../plugins/canvas/public/application.tsx     | 36 +++++++++++++
 .../workpad_export.examples.storyshot         | 45 ----------------
 .../__examples__/disabled_panel.stories.tsx   | 31 -----------
 .../__examples__/workpad_export.examples.tsx  | 33 ++++--------
 .../workpad_export/disabled_panel.tsx         | 50 -----------------
 .../workpad_header/workpad_export/index.ts    |  7 +--
 .../workpad_export/workpad_export.tsx         | 22 +-------
 x-pack/legacy/plugins/canvas/public/legacy.ts |  6 +--
 .../legacy/plugins/canvas/public/plugin.tsx   | 45 +++++++++++-----
 .../canvas/public/state/selectors/app.ts      |  4 --
 x-pack/legacy/plugins/canvas/public/store.ts  | 31 +++++++++++
 x-pack/legacy/plugins/canvas/server/plugin.ts | 16 +-----
 x-pack/legacy/plugins/canvas/types/state.ts   |  2 -
 .../translations/translations/ja-JP.json      |  1 -
 .../translations/translations/zh-CN.json      |  1 -
 25 files changed, 118 insertions(+), 371 deletions(-)
 rename x-pack/legacy/plugins/canvas/i18n/{angular.ts => capabilities.ts} (83%)
 delete mode 100644 x-pack/legacy/plugins/canvas/public/angular/config/index.js
 delete mode 100644 x-pack/legacy/plugins/canvas/public/angular/config/location_provider.ts
 delete mode 100644 x-pack/legacy/plugins/canvas/public/angular/config/state_management.js
 delete mode 100644 x-pack/legacy/plugins/canvas/public/angular/controllers/canvas.tsx
 delete mode 100644 x-pack/legacy/plugins/canvas/public/angular/controllers/index.ts
 delete mode 100755 x-pack/legacy/plugins/canvas/public/angular/services/index.js
 delete mode 100644 x-pack/legacy/plugins/canvas/public/angular/services/store.js
 create mode 100644 x-pack/legacy/plugins/canvas/public/application.tsx
 delete mode 100644 x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/disabled_panel.stories.tsx
 delete mode 100644 x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/disabled_panel.tsx
 create mode 100644 x-pack/legacy/plugins/canvas/public/store.ts

diff --git a/x-pack/legacy/plugins/canvas/.storybook/storyshots.test.js b/x-pack/legacy/plugins/canvas/.storybook/storyshots.test.js
index 76240d212da15..10842f4268fd3 100644
--- a/x-pack/legacy/plugins/canvas/.storybook/storyshots.test.js
+++ b/x-pack/legacy/plugins/canvas/.storybook/storyshots.test.js
@@ -50,14 +50,6 @@ jest.mock('@elastic/eui/packages/react-datepicker', () => {
 
 jest.mock('plugins/interpreter/registries', () => ({}));
 
-// Disabling this test due to https://github.com/elastic/eui/issues/2242
-jest.mock(
-  '../public/components/workpad_header/workpad_export/__examples__/disabled_panel.stories',
-  () => {
-    return 'Disabled Panel';
-  }
-);
-
 // Disabling this test due to https://github.com/elastic/eui/issues/2242
 jest.mock(
   '../public/components/workpad_header/workpad_export/flyout/__examples__/share_website_flyout.stories',
diff --git a/x-pack/legacy/plugins/canvas/i18n/angular.ts b/x-pack/legacy/plugins/canvas/i18n/capabilities.ts
similarity index 83%
rename from x-pack/legacy/plugins/canvas/i18n/angular.ts
rename to x-pack/legacy/plugins/canvas/i18n/capabilities.ts
index 74e5ceb7d6bb7..a4c2d1d3a1be7 100644
--- a/x-pack/legacy/plugins/canvas/i18n/angular.ts
+++ b/x-pack/legacy/plugins/canvas/i18n/capabilities.ts
@@ -7,13 +7,13 @@
 import { i18n } from '@kbn/i18n';
 import { CANVAS as canvas } from './constants';
 
-export const AngularStrings = {
-  CanvasRootController: {
-    getReadOnlyBadgeText: () =>
+export const CapabilitiesStrings = {
+  ReadOnlyBadge: {
+    getText: () =>
       i18n.translate('xpack.canvas.badge.readOnly.text', {
         defaultMessage: 'Read only',
       }),
-    getReadOnlyBadgeTooltip: () =>
+    getTooltip: () =>
       i18n.translate('xpack.canvas.badge.readOnly.tooltip', {
         defaultMessage: 'Unable to save {canvas} workpads',
         values: {
diff --git a/x-pack/legacy/plugins/canvas/i18n/index.ts b/x-pack/legacy/plugins/canvas/i18n/index.ts
index 3be5eb89415b0..a671d0ccdb49f 100644
--- a/x-pack/legacy/plugins/canvas/i18n/index.ts
+++ b/x-pack/legacy/plugins/canvas/i18n/index.ts
@@ -6,7 +6,7 @@
 
 import { i18n } from '@kbn/i18n';
 
-export * from './angular';
+export * from './capabilities';
 export * from './components';
 export * from './constants';
 export * from './errors';
diff --git a/x-pack/legacy/plugins/canvas/public/angular/config/index.js b/x-pack/legacy/plugins/canvas/public/angular/config/index.js
deleted file mode 100644
index 020bcf1f7686e..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/angular/config/index.js
+++ /dev/null
@@ -1,8 +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;
- * you may not use this file except in compliance with the Elastic License.
- */
-
-export * from './state_management'; // Requires 6.2.0+
-export * from './location_provider';
diff --git a/x-pack/legacy/plugins/canvas/public/angular/config/location_provider.ts b/x-pack/legacy/plugins/canvas/public/angular/config/location_provider.ts
deleted file mode 100644
index 547e354d7fde9..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/angular/config/location_provider.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;
- * you may not use this file except in compliance with the Elastic License.
- */
-
-import { ILocationProvider } from 'angular';
-import { CoreStart, CanvasStartDeps } from '../../plugin';
-
-export function initLocationProvider(coreStart: CoreStart, plugins: CanvasStartDeps) {
-  // disable angular's location provider
-  const app = plugins.__LEGACY.uiModules.get('apps/canvas');
-
-  app.config(($locationProvider: ILocationProvider) => {
-    $locationProvider.html5Mode({
-      enabled: false,
-      requireBase: false,
-      rewriteLinks: false,
-    });
-  });
-}
diff --git a/x-pack/legacy/plugins/canvas/public/angular/config/state_management.js b/x-pack/legacy/plugins/canvas/public/angular/config/state_management.js
deleted file mode 100644
index 4347765748c5d..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/angular/config/state_management.js
+++ /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;
- * you may not use this file except in compliance with the Elastic License.
- */
-
-export function initStateManagement(coreStart, plugins) {
-  // disable the kibana state management
-  const app = plugins.__LEGACY.uiModules.get('apps/canvas');
-  app.config(stateManagementConfigProvider => {
-    stateManagementConfigProvider.disable();
-  });
-}
diff --git a/x-pack/legacy/plugins/canvas/public/angular/controllers/canvas.tsx b/x-pack/legacy/plugins/canvas/public/angular/controllers/canvas.tsx
deleted file mode 100644
index 0dfa1ceecdbc5..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/angular/controllers/canvas.tsx
+++ /dev/null
@@ -1,54 +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;
- * you may not use this file except in compliance with the Elastic License.
- */
-import React from 'react';
-import { render, unmountComponentAtNode } from 'react-dom';
-import { I18nProvider } from '@kbn/i18n/react';
-import { Provider } from 'react-redux';
-import { Store } from 'redux';
-import { CanvasStartDeps, CoreStart } from '../../plugin';
-import { KibanaContextProvider } from '../../../../../../../src/plugins/kibana_react/public';
-
-// @ts-ignore Untyped local
-import { App } from '../../components/app';
-import { AngularStrings } from '../../../i18n';
-
-const { CanvasRootController: strings } = AngularStrings;
-
-export function CanvasRootControllerFactory(coreStart: CoreStart, plugins: CanvasStartDeps) {
-  return function CanvasRootController(
-    canvasStore: Store,
-    $scope: any, // Untyped in Kibana
-    $element: any // Untyped in Kibana
-  ) {
-    const domNode = $element[0];
-
-    // set the read-only badge when appropriate
-    coreStart.chrome.setBadge(
-      coreStart.application.capabilities.canvas.save
-        ? undefined
-        : {
-            text: strings.getReadOnlyBadgeText(),
-            tooltip: strings.getReadOnlyBadgeTooltip(),
-            iconType: 'glasses',
-          }
-    );
-
-    render(
-      <KibanaContextProvider services={{ ...coreStart, ...plugins }}>
-        <I18nProvider>
-          <Provider store={canvasStore}>
-            <App />
-          </Provider>
-        </I18nProvider>
-      </KibanaContextProvider>,
-      domNode
-    );
-
-    $scope.$on('$destroy', () => {
-      unmountComponentAtNode(domNode);
-    });
-  };
-}
diff --git a/x-pack/legacy/plugins/canvas/public/angular/controllers/index.ts b/x-pack/legacy/plugins/canvas/public/angular/controllers/index.ts
deleted file mode 100644
index 01fe3dda9c971..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/angular/controllers/index.ts
+++ /dev/null
@@ -1,7 +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;
- * you may not use this file except in compliance with the Elastic License.
- */
-
-export { CanvasRootControllerFactory } from './canvas';
diff --git a/x-pack/legacy/plugins/canvas/public/angular/services/index.js b/x-pack/legacy/plugins/canvas/public/angular/services/index.js
deleted file mode 100755
index b472b9bbac993..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/angular/services/index.js
+++ /dev/null
@@ -1,7 +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;
- * you may not use this file except in compliance with the Elastic License.
- */
-
-export * from './store';
diff --git a/x-pack/legacy/plugins/canvas/public/angular/services/store.js b/x-pack/legacy/plugins/canvas/public/angular/services/store.js
deleted file mode 100644
index f6f9d8922b99e..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/angular/services/store.js
+++ /dev/null
@@ -1,31 +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;
- * you may not use this file except in compliance with the Elastic License.
- */
-
-import { createStore } from '../../state/store';
-import { getInitialState } from '../../state/initial_state';
-
-export function initStore(coreStart, plugins) {
-  const app = plugins.__LEGACY.uiModules.get('apps/canvas');
-  app.service('canvasStore', (kbnVersion, basePath, reportingBrowserType, serverFunctions) => {
-    const initialState = getInitialState();
-
-    // Set the defaults from Kibana plugin
-    initialState.app = {
-      kbnVersion,
-      basePath,
-      reportingBrowserType,
-      serverFunctions,
-      ready: false,
-    };
-
-    const store = createStore(initialState);
-
-    // TODO: debugging, remove this
-    window.canvasStore = store;
-
-    return store;
-  });
-}
diff --git a/x-pack/legacy/plugins/canvas/public/application.tsx b/x-pack/legacy/plugins/canvas/public/application.tsx
new file mode 100644
index 0000000000000..ff22d68772efe
--- /dev/null
+++ b/x-pack/legacy/plugins/canvas/public/application.tsx
@@ -0,0 +1,36 @@
+/*
+ * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
+ * or more contributor license agreements. Licensed under the Elastic License;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+
+import React from 'react';
+import { Store } from 'redux';
+import ReactDOM from 'react-dom';
+import { I18nProvider } from '@kbn/i18n/react';
+import { Provider } from 'react-redux';
+
+import { AppMountParameters, CoreStart } from 'kibana/public';
+
+// @ts-ignore Untyped local
+import { App } from './components/app';
+import { KibanaContextProvider } from '../../../../../src/plugins/kibana_react/public';
+
+export const renderApp = (
+  coreStart: CoreStart,
+  plugins: object,
+  { element }: AppMountParameters,
+  canvasStore: Store
+) => {
+  ReactDOM.render(
+    <KibanaContextProvider services={{ ...coreStart, ...plugins }}>
+      <I18nProvider>
+        <Provider store={canvasStore}>
+          <App />
+        </Provider>
+      </I18nProvider>
+    </KibanaContextProvider>,
+    element
+  );
+  return () => ReactDOM.unmountComponentAtNode(element);
+};
diff --git a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/__snapshots__/workpad_export.examples.storyshot b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/__snapshots__/workpad_export.examples.storyshot
index 9c7fca6d78190..a598438564130 100644
--- a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/__snapshots__/workpad_export.examples.storyshot
+++ b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/__snapshots__/workpad_export.examples.storyshot
@@ -1,50 +1,5 @@
 // Jest Snapshot v1, https://goo.gl/fbAQLP
 
-exports[`Storyshots components/Export/WorkpadExport disabled 1`] = `
-<div>
-  <div
-    className="euiPopover euiPopover--anchorDownCenter"
-    container={null}
-    onKeyDown={[Function]}
-    onMouseDown={[Function]}
-    onMouseUp={[Function]}
-    onTouchEnd={[Function]}
-    onTouchStart={[Function]}
-  >
-    <div
-      className="euiPopover__anchor"
-    >
-      <span
-        className="euiToolTipAnchor"
-        onMouseOut={[Function]}
-        onMouseOver={[Function]}
-      >
-        <button
-          aria-label="Share this workpad"
-          className="euiButtonIcon euiButtonIcon--primary"
-          onBlur={[Function]}
-          onClick={[Function]}
-          onFocus={[Function]}
-          type="button"
-        >
-          <svg
-            aria-hidden={true}
-            className="euiIcon euiIcon--medium euiIcon-isLoading euiButtonIcon__icon"
-            focusable="false"
-            height={16}
-            role="img"
-            style={null}
-            viewBox="0 0 16 16"
-            width={16}
-            xmlns="http://www.w3.org/2000/svg"
-          />
-        </button>
-      </span>
-    </div>
-  </div>
-</div>
-`;
-
 exports[`Storyshots components/Export/WorkpadExport enabled 1`] = `
 <div>
   <div
diff --git a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/disabled_panel.stories.tsx b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/disabled_panel.stories.tsx
deleted file mode 100644
index 2164fdd4ac470..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/disabled_panel.stories.tsx
+++ /dev/null
@@ -1,31 +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;
- * you may not use this file except in compliance with the Elastic License.
- */
-
-import { storiesOf } from '@storybook/react';
-import { action } from '@storybook/addon-actions';
-import React from 'react';
-import { DisabledPanel } from '../disabled_panel';
-
-storiesOf('components/Export/DisabledPanel', module)
-  .addParameters({
-    info: {
-      inline: true,
-      styles: {
-        infoBody: {
-          margin: 20,
-        },
-        infoStory: {
-          margin: '20px 30px',
-          width: '290px',
-        },
-      },
-    },
-  })
-  .add('default', () => (
-    <div className="euiPanel">
-      <DisabledPanel onCopy={action('onCopy')} />
-    </div>
-  ));
diff --git a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/workpad_export.examples.tsx b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/workpad_export.examples.tsx
index 7e401194f44f1..92e7cca40ee3a 100644
--- a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/workpad_export.examples.tsx
+++ b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/__examples__/workpad_export.examples.tsx
@@ -8,26 +8,13 @@ import { action } from '@storybook/addon-actions';
 import React from 'react';
 import { WorkpadExport } from '../workpad_export';
 
-storiesOf('components/Export/WorkpadExport', module)
-  .add('enabled', () => (
-    <WorkpadExport
-      enabled={true}
-      onCopy={action('onCopy')}
-      onExport={action('onExport')}
-      getExportUrl={(type: string) => {
-        action(`getExportUrl('${type}')`);
-        return type;
-      }}
-    />
-  ))
-  .add('disabled', () => (
-    <WorkpadExport
-      enabled={false}
-      onCopy={action('onCopy')}
-      onExport={action('onExport')}
-      getExportUrl={(type: string) => {
-        action(`getExportUrl('${type}')`);
-        return type;
-      }}
-    />
-  ));
+storiesOf('components/Export/WorkpadExport', module).add('enabled', () => (
+  <WorkpadExport
+    onCopy={action('onCopy')}
+    onExport={action('onExport')}
+    getExportUrl={(type: string) => {
+      action(`getExportUrl('${type}')`);
+      return type;
+    }}
+  />
+));
diff --git a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/disabled_panel.tsx b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/disabled_panel.tsx
deleted file mode 100644
index 85d1174f50bbd..0000000000000
--- a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/disabled_panel.tsx
+++ /dev/null
@@ -1,50 +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;
- * you may not use this file except in compliance with the Elastic License.
- */
-
-import React from 'react';
-import { FormattedMessage } from '@kbn/i18n/react';
-import { EuiText, EuiSpacer, EuiCodeBlock, EuiCode } from '@elastic/eui';
-import { Clipboard } from '../../clipboard';
-
-const REPORTING_CONFIG = `xpack.reporting:
-  enabled: true
-  capture.browser.type: chromium`;
-
-interface Props {
-  /** Handler to invoke when the Kibana configuration is copied. */
-  onCopy: () => void;
-}
-
-/**
- * A panel to display within the Export menu when reporting is disabled.
- */
-export const DisabledPanel = ({ onCopy }: Props) => (
-  <div className="canvasWorkpadExport__panelContent">
-    <EuiText size="s">
-      <p>
-        <FormattedMessage
-          id="xpack.canvas.workpadHeaderWorkpadExport.pdfPanelDisabledDescription"
-          defaultMessage="Export to PDF is disabled. You must configure reporting to use the Chromium browser. Add
-          this to your {fileName} file."
-          values={{
-            fileName: <EuiCode>kibana.yml</EuiCode>,
-          }}
-        />
-      </p>
-    </EuiText>
-    <EuiSpacer />
-    <Clipboard content={REPORTING_CONFIG} onCopy={onCopy}>
-      <EuiCodeBlock
-        className="canvasWorkpadExport__reportingConfig"
-        paddingSize="s"
-        fontSize="s"
-        language="yml"
-      >
-        {REPORTING_CONFIG}
-      </EuiCodeBlock>
-    </Clipboard>
-  </div>
-);
diff --git a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/index.ts b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/index.ts
index 2b2a582fb4526..39611dd6c2994 100644
--- a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/index.ts
+++ b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/index.ts
@@ -10,8 +10,6 @@ import { jobCompletionNotifications } from '../../../../../reporting/public/lib/
 // @ts-ignore Untyped local
 import { getWorkpad, getPages } from '../../../state/selectors/workpad';
 // @ts-ignore Untyped local
-import { getReportingBrowserType } from '../../../state/selectors/app';
-// @ts-ignore Untyped local
 import { notify } from '../../../lib/notify';
 import { getWindow } from '../../../lib/get_window';
 // @ts-ignore Untyped local
@@ -34,7 +32,6 @@ const { WorkpadHeaderWorkpadExport: strings } = ComponentStrings;
 const mapStateToProps = (state: State) => ({
   workpad: getWorkpad(state),
   pageCount: getPages(state).length,
-  enabled: getReportingBrowserType(state) === 'chromium',
 });
 
 const getAbsoluteUrl = (path: string) => {
@@ -51,15 +48,13 @@ const getAbsoluteUrl = (path: string) => {
 interface Props {
   workpad: CanvasWorkpad;
   pageCount: number;
-  enabled: boolean;
 }
 
 export const WorkpadExport = compose<ComponentProps, {}>(
   connect(mapStateToProps),
   withKibana,
   withProps(
-    ({ workpad, pageCount, enabled, kibana }: Props & WithKibanaProps): ComponentProps => ({
-      enabled,
+    ({ workpad, pageCount, kibana }: Props & WithKibanaProps): ComponentProps => ({
       getExportUrl: type => {
         if (type === 'pdf') {
           const pdfUrl = getPdfUrl(workpad, { pageCount }, kibana.services.http.basePath.prepend);
diff --git a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/workpad_export.tsx b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/workpad_export.tsx
index 0558652fb6029..522be043ec457 100644
--- a/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/workpad_export.tsx
+++ b/x-pack/legacy/plugins/canvas/public/components/workpad_header/workpad_export/workpad_export.tsx
@@ -9,7 +9,6 @@ import PropTypes from 'prop-types';
 import { EuiButtonIcon, EuiContextMenu, EuiIcon } from '@elastic/eui';
 // @ts-ignore Untyped local
 import { Popover } from '../../popover';
-import { DisabledPanel } from './disabled_panel';
 import { PDFPanel } from './pdf_panel';
 import { ShareWebsiteFlyout } from './flyout';
 
@@ -29,8 +28,6 @@ export type OnCloseFn = (type: CloseTypes) => void;
 export type GetExportUrlFn = (type: ExportUrlTypes) => string;
 
 export interface Props {
-  /** True if exporting is enabled, false otherwise. */
-  enabled: boolean;
   /** Handler to invoke when an export URL is copied to the clipboard. */
   onCopy: OnCopyFn;
   /** Handler to invoke when an end product is exported. */
@@ -42,12 +39,7 @@ export interface Props {
 /**
  * The Menu for Exporting a Workpad from Canvas.
  */
-export const WorkpadExport: FunctionComponent<Props> = ({
-  enabled,
-  onCopy,
-  onExport,
-  getExportUrl,
-}) => {
+export const WorkpadExport: FunctionComponent<Props> = ({ onCopy, onExport, getExportUrl }) => {
   const [showFlyout, setShowFlyout] = useState(false);
 
   const onClose = () => {
@@ -106,16 +98,7 @@ export const WorkpadExport: FunctionComponent<Props> = ({
         panel: {
           id: 1,
           title: strings.getShareDownloadPDFTitle(),
-          content: enabled ? (
-            getPDFPanel(closePopover)
-          ) : (
-            <DisabledPanel
-              onCopy={() => {
-                onCopy('reportingConfig');
-                closePopover();
-              }}
-            />
-          ),
+          content: getPDFPanel(closePopover),
         },
       },
       {
@@ -160,7 +143,6 @@ export const WorkpadExport: FunctionComponent<Props> = ({
 };
 
 WorkpadExport.propTypes = {
-  enabled: PropTypes.bool.isRequired,
   onCopy: PropTypes.func.isRequired,
   onExport: PropTypes.func.isRequired,
   getExportUrl: PropTypes.func.isRequired,
diff --git a/x-pack/legacy/plugins/canvas/public/legacy.ts b/x-pack/legacy/plugins/canvas/public/legacy.ts
index 61e12893b3e02..254fba0f23ad2 100644
--- a/x-pack/legacy/plugins/canvas/public/legacy.ts
+++ b/x-pack/legacy/plugins/canvas/public/legacy.ts
@@ -9,8 +9,6 @@ import { CanvasStartDeps } from './plugin'; // eslint-disable-line import/order
 
 // @ts-ignore Untyped Kibana Lib
 import chrome, { loadingCount } from 'ui/chrome'; // eslint-disable-line import/order
-// @ts-ignore Untyped Module
-import { uiModules } from 'ui/modules'; // eslint-disable-line import/order
 import { absoluteToParsedUrl } from 'ui/url/absolute_to_parsed_url'; // eslint-disable-line import/order
 import { Storage } from '../../../../../src/plugins/kibana_utils/public'; // eslint-disable-line import/order
 // @ts-ignore Untyped Kibana Lib
@@ -25,6 +23,7 @@ const shimCoreStart = {
   ...npStart.core,
 };
 const shimSetupPlugins = {};
+
 const shimStartPlugins: CanvasStartDeps = {
   ...npStart.plugins,
   __LEGACY: {
@@ -33,12 +32,9 @@ const shimStartPlugins: CanvasStartDeps = {
     // ToDo: Copy directly into canvas
     formatMsg,
     QueryString,
-    // ToDo: Remove in favor of core.application.register
-    setRootController: chrome.setRootController,
     storage: Storage,
     // ToDo: Won't be a part of New Platform. Will need to handle internally
     trackSubUrlForApp: chrome.trackSubUrlForApp,
-    uiModules,
   },
 };
 
diff --git a/x-pack/legacy/plugins/canvas/public/plugin.tsx b/x-pack/legacy/plugins/canvas/public/plugin.tsx
index 155eef99632a0..7928d46067908 100644
--- a/x-pack/legacy/plugins/canvas/public/plugin.tsx
+++ b/x-pack/legacy/plugins/canvas/public/plugin.tsx
@@ -7,15 +7,15 @@
 import React from 'react';
 import ReactDOM from 'react-dom';
 import { Chrome } from 'ui/chrome';
-import { IModule } from 'angular';
 import { i18n } from '@kbn/i18n';
 import { Storage } from '../../../../../src/plugins/kibana_utils/public';
 import { CoreSetup, CoreStart, Plugin } from '../../../../../src/core/public';
 // @ts-ignore: Untyped Local
-import { initStateManagement, initLocationProvider } from './angular/config';
-import { CanvasRootControllerFactory } from './angular/controllers';
-// @ts-ignore: Untypled Local
-import { initStore } from './angular/services';
+import { CapabilitiesStrings } from '../i18n';
+const { ReadOnlyBadge: strings } = CapabilitiesStrings;
+
+import { createStore } from './store';
+
 // @ts-ignore: untyped local component
 import { HelpMenu } from './components/help_menu/help_menu';
 // @ts-ignore: untyped local
@@ -40,12 +40,8 @@ export interface CanvasStartDeps {
     absoluteToParsedUrl: (url: string, basePath: string) => any;
     formatMsg: any;
     QueryString: any;
-    setRootController: Chrome['setRootController'];
     storage: typeof Storage;
     trackSubUrlForApp: Chrome['trackSubUrlForApp'];
-    uiModules: {
-      get: (module: string) => IModule;
-    };
   };
 }
 
@@ -67,6 +63,22 @@ export class CanvasPlugin
     // Things like registering functions to the interpreter that need
     // to be available everywhere, not just in Canvas
 
+    core.application.register({
+      id: 'canvas',
+      title: 'Canvas App',
+      async mount(context, params) {
+        // Load application bundle
+        const { renderApp } = await import('./application');
+
+        // Setup our store
+        const canvasStore = await createStore(core, plugins);
+
+        // Get start services
+        const [coreStart, depsStart] = await core.getStartServices();
+
+        return renderApp(coreStart, depsStart, params, canvasStore);
+      },
+    });
     return {};
   }
 
@@ -74,14 +86,19 @@ export class CanvasPlugin
     loadExpressionTypes();
     loadTransitions();
 
-    initStateManagement(core, plugins);
-    initLocationProvider(core, plugins);
-    initStore(core, plugins);
     initClipboard(plugins.__LEGACY.storage);
     initLoadingIndicator(core.http.addLoadingCountSource);
 
-    const CanvasRootController = CanvasRootControllerFactory(core, plugins);
-    plugins.__LEGACY.setRootController('canvas', CanvasRootController);
+    core.chrome.setBadge(
+      core.application.capabilities.canvas && core.application.capabilities.canvas.save
+        ? undefined
+        : {
+            text: strings.getText(),
+            tooltip: strings.getTooltip(),
+            iconType: 'glasses',
+          }
+    );
+
     core.chrome.setHelpExtension({
       appName: i18n.translate('xpack.canvas.helpMenu.appName', {
         defaultMessage: 'Canvas',
diff --git a/x-pack/legacy/plugins/canvas/public/state/selectors/app.ts b/x-pack/legacy/plugins/canvas/public/state/selectors/app.ts
index 255d45cf558fc..d68702a30d645 100644
--- a/x-pack/legacy/plugins/canvas/public/state/selectors/app.ts
+++ b/x-pack/legacy/plugins/canvas/public/state/selectors/app.ts
@@ -32,10 +32,6 @@ export function getBasePath(state: State): State['app']['basePath'] {
   return state.app.basePath;
 }
 
-export function getReportingBrowserType(state: State): State['app']['reportingBrowserType'] {
-  return state.app.reportingBrowserType;
-}
-
 // return true only when the required parameters are in the state
 export function isAppReady(state: State): boolean {
   const appReady = getAppReady(state);
diff --git a/x-pack/legacy/plugins/canvas/public/store.ts b/x-pack/legacy/plugins/canvas/public/store.ts
new file mode 100644
index 0000000000000..0a378979f6ad9
--- /dev/null
+++ b/x-pack/legacy/plugins/canvas/public/store.ts
@@ -0,0 +1,31 @@
+/*
+ * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
+ * or more contributor license agreements. Licensed under the Elastic License;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+
+// @ts-ignore Untyped local
+import { createStore as createReduxStore } from './state/store';
+// @ts-ignore Untyped local
+import { getInitialState } from './state/initial_state';
+
+import { CoreSetup } from '../../../../../src/core/public';
+import { CanvasSetupDeps } from './plugin';
+
+export async function createStore(core: CoreSetup, plugins: CanvasSetupDeps) {
+  const initialState = getInitialState();
+
+  const basePath = core.http.basePath.get();
+
+  // Retrieve server functions
+  const serverFunctionsResponse = await core.http.get(`/api/interpreter/fns`);
+  const serverFunctions = Object.values(serverFunctionsResponse);
+
+  initialState.app = {
+    basePath,
+    serverFunctions,
+    ready: false,
+  };
+
+  return createReduxStore(initialState);
+}
diff --git a/x-pack/legacy/plugins/canvas/server/plugin.ts b/x-pack/legacy/plugins/canvas/server/plugin.ts
index 07f4b7d9ac6db..ac3edbabce930 100644
--- a/x-pack/legacy/plugins/canvas/server/plugin.ts
+++ b/x-pack/legacy/plugins/canvas/server/plugin.ts
@@ -13,25 +13,11 @@ export class Plugin {
   public setup(core: CoreSetup, plugins: PluginsSetup) {
     routes(core);
 
-    const { serverFunctions } = plugins.interpreter.register({ serverFunctions: functions });
+    plugins.interpreter.register({ serverFunctions: functions });
 
     core.injectUiAppVars('canvas', async () => {
-      const config = core.getServerConfig();
-      const basePath = config.get('server.basePath');
-      const reportingBrowserType = (() => {
-        const configKey = 'xpack.reporting.capture.browser.type';
-        if (!config.has(configKey)) {
-          return null;
-        }
-        return config.get(configKey);
-      })();
-
       return {
         ...plugins.kibana.injectedUiAppVars,
-        kbnIndex: config.get('kibana.index'),
-        serverFunctions: serverFunctions.toArray(),
-        basePath,
-        reportingBrowserType,
       };
     });
 
diff --git a/x-pack/legacy/plugins/canvas/types/state.ts b/x-pack/legacy/plugins/canvas/types/state.ts
index 3aca3003f9dc5..171c5515fbb2a 100644
--- a/x-pack/legacy/plugins/canvas/types/state.ts
+++ b/x-pack/legacy/plugins/canvas/types/state.ts
@@ -32,9 +32,7 @@ export interface AppState {
 }
 
 interface StoreAppState {
-  kbnVersion: string;
   basePath: string;
-  reportingBrowserType: string;
   // TODO: These server functions are actually missing the fn because they are serialized from the server
   serverFunctions: CanvasFunction[];
   ready: boolean;
diff --git a/x-pack/plugins/translations/translations/ja-JP.json b/x-pack/plugins/translations/translations/ja-JP.json
index b4c85f369519d..9b17de0d91334 100644
--- a/x-pack/plugins/translations/translations/ja-JP.json
+++ b/x-pack/plugins/translations/translations/ja-JP.json
@@ -5271,7 +5271,6 @@
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelCopyAriaLabel": "この {URL} を使用してスクリプトから、または Watcher で {PDF} を生成することもできます。{URL} をクリップボードにコピーするにはエンターキーを押してください。",
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelCopyButtonLabel": "{POST} {URL} をコピー",
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelCopyDescription": "{POST} {URL} をコピーして {KIBANA} 外または ウォッチャー から生成することもできます。",
-    "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelDisabledDescription": "PDF へのエクスポートは無効になっています。Chromium ブラウザを使用するにはレポートの構成が必要です。これを {fileName} ファイルに追加します。",
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelGenerateButtonLabel": "{PDF} を生成",
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelGenerateDescription": "ワークパッドのサイズによって、{PDF} の生成には数分かかる場合があります。",
     "xpack.canvas.workpadHeaderWorkpadExport.shareDownloadJSONTitle": "{JSON} をダウンロード",
diff --git a/x-pack/plugins/translations/translations/zh-CN.json b/x-pack/plugins/translations/translations/zh-CN.json
index 583f181e148c6..932e1e79f949c 100644
--- a/x-pack/plugins/translations/translations/zh-CN.json
+++ b/x-pack/plugins/translations/translations/zh-CN.json
@@ -5270,7 +5270,6 @@
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelCopyAriaLabel": "或者,也可以从脚本或使用 {URL} 通过 Watcher 生成 {PDF}。按 Enter 键可将 {URL} 复制到剪贴板。",
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelCopyButtonLabel": "复制 {POST} {URL}",
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelCopyDescription": "或者,复制此 {POST} {URL} 以从 {KIBANA} 外部或从 Watcher 调用生成。",
-    "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelDisabledDescription": "导出到 PDF 已禁用。必须配置报告,才能使用 Chromium 浏览器。将其添加到您的 {fileName} 文件中。",
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelGenerateButtonLabel": "生成 {PDF}",
     "xpack.canvas.workpadHeaderWorkpadExport.pdfPanelGenerateDescription": "{PDF} 可能会花费 1 或 2 分钟生成,取决于 Workpad 的大小。",
     "xpack.canvas.workpadHeaderWorkpadExport.shareDownloadJSONTitle": "下载为 {JSON}",

From 551e4dc472642dc584206c90075fc47882c323a8 Mon Sep 17 00:00:00 2001
From: Nathan L Smith <nathan.smith@elastic.co>
Date: Mon, 27 Jan 2020 15:31:09 -0600
Subject: [PATCH 25/36] Add animation to service map layout (#56042)

We had previously deleted the animation because the method we were using for adding nodes to the map would wipe the whole map out before redrawing it and make for very awkward animation.

The way it works now is the Cytoscape component calls `add` on the cytoscape instance when new elements are added, so the animation looks ok.

Fixes #54796.

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../apm/public/components/app/ServiceMap/cytoscapeOptions.ts | 5 ++++-
 1 file changed, 4 insertions(+), 1 deletion(-)

diff --git a/x-pack/legacy/plugins/apm/public/components/app/ServiceMap/cytoscapeOptions.ts b/x-pack/legacy/plugins/apm/public/components/app/ServiceMap/cytoscapeOptions.ts
index 1a6247388a655..a243021ddc5fd 100644
--- a/x-pack/legacy/plugins/apm/public/components/app/ServiceMap/cytoscapeOptions.ts
+++ b/x-pack/legacy/plugins/apm/public/components/app/ServiceMap/cytoscapeOptions.ts
@@ -10,7 +10,10 @@ import { defaultIcon, iconForNode } from './icons';
 const layout = {
   name: 'dagre',
   nodeDimensionsIncludeLabels: true,
-  rankDir: 'LR'
+  rankDir: 'LR',
+  animate: true,
+  animationEasing: theme.euiAnimSlightBounce,
+  animationDuration: parseInt(theme.euiAnimSpeedNormal, 10)
 };
 
 function isService(el: cytoscape.NodeSingular) {

From 99f224097c709b2bd2f4136de0f0b3a4728f26f7 Mon Sep 17 00:00:00 2001
From: Brian Seeders <brian.seeders@elastic.co>
Date: Mon, 27 Jan 2020 17:10:34 -0500
Subject: [PATCH 26/36] Remove matrix build support (#54202)

---
 .ci/Jenkinsfile_coverage                      |  4 +-
 .ci/es-snapshots/Jenkinsfile_verify_es        |  4 +-
 .ci/jobs.yml                                  |  2 +
 .ci/run.sh                                    | 50 -----------
 Jenkinsfile                                   |  4 +-
 test/scripts/jenkins_accessibility.sh         | 19 +----
 test/scripts/jenkins_ci_group.sh              | 17 +---
 test/scripts/jenkins_firefox_smoke.sh         | 18 +---
 test/scripts/jenkins_test_setup.sh            | 10 +--
 test/scripts/jenkins_test_setup_oss.sh        | 11 +++
 test/scripts/jenkins_test_setup_xpack.sh      | 13 +++
 test/scripts/jenkins_unit.sh                  |  4 +-
 test/scripts/jenkins_visual_regression.sh     | 16 +---
 test/scripts/jenkins_xpack.sh                 | 14 ++-
 test/scripts/jenkins_xpack_accessibility.sh   | 28 +-----
 test/scripts/jenkins_xpack_ci_group.sh        | 45 +---------
 test/scripts/jenkins_xpack_firefox_smoke.sh   | 19 +----
 .../jenkins_xpack_visual_regression.sh        | 19 +----
 vars/kibanaPipeline.groovy                    | 85 +++++++++----------
 19 files changed, 94 insertions(+), 288 deletions(-)
 delete mode 100755 .ci/run.sh
 create mode 100644 test/scripts/jenkins_test_setup_oss.sh
 create mode 100644 test/scripts/jenkins_test_setup_xpack.sh

diff --git a/.ci/Jenkinsfile_coverage b/.ci/Jenkinsfile_coverage
index d9ec1861c9979..01c18b10d0804 100644
--- a/.ci/Jenkinsfile_coverage
+++ b/.ci/Jenkinsfile_coverage
@@ -16,14 +16,14 @@ stage("Kibana Pipeline") { // This stage is just here to help the BlueOcean UI a
                 withEnv([
                   'NODE_ENV=test' // Needed for jest tests only
                 ]) {
-                  kibanaPipeline.legacyJobRunner('kibana-intake')()
+                  kibanaPipeline.intakeWorker('kibana-intake', './test/scripts/jenkins_unit.sh')()
                 }
               },
               'x-pack-intake-agent': {
                 withEnv([
                   'NODE_ENV=test' // Needed for jest tests only
                 ]) {
-                  kibanaPipeline.legacyJobRunner('x-pack-intake')()
+                  kibanaPipeline.intakeWorker('x-pack-intake', './test/scripts/jenkins_xpack.sh')()
                 }
               },
               'kibana-oss-agent': kibanaPipeline.withWorkers('kibana-oss-tests', { kibanaPipeline.buildOss() }, [
diff --git a/.ci/es-snapshots/Jenkinsfile_verify_es b/.ci/es-snapshots/Jenkinsfile_verify_es
index 3d5ec75fa0e72..30d52a56547bd 100644
--- a/.ci/es-snapshots/Jenkinsfile_verify_es
+++ b/.ci/es-snapshots/Jenkinsfile_verify_es
@@ -26,8 +26,8 @@ timeout(time: 120, unit: 'MINUTES') {
         withEnv(["ES_SNAPSHOT_MANIFEST=${SNAPSHOT_MANIFEST}"]) {
           parallel([
             // TODO we just need to run integration tests from intake?
-            'kibana-intake-agent': kibanaPipeline.legacyJobRunner('kibana-intake'),
-            'x-pack-intake-agent': kibanaPipeline.legacyJobRunner('x-pack-intake'),
+            'kibana-intake-agent': kibanaPipeline.intakeWorker('kibana-intake', './test/scripts/jenkins_unit.sh'),
+            'x-pack-intake-agent': kibanaPipeline.intakeWorker('x-pack-intake', './test/scripts/jenkins_xpack.sh'),
             'kibana-oss-agent': kibanaPipeline.withWorkers('kibana-oss-tests', { kibanaPipeline.buildOss() }, [
               'oss-ciGroup1': kibanaPipeline.getOssCiGroupWorker(1),
               'oss-ciGroup2': kibanaPipeline.getOssCiGroupWorker(2),
diff --git a/.ci/jobs.yml b/.ci/jobs.yml
index a2d8100f78efd..3add92aadd256 100644
--- a/.ci/jobs.yml
+++ b/.ci/jobs.yml
@@ -1,3 +1,5 @@
+# This file is needed by functionalTests:ensureAllTestsInCiGroup for the list of ciGroups. That must be changed before this file can be removed
+
 JOB:
   - kibana-intake
   - x-pack-intake
diff --git a/.ci/run.sh b/.ci/run.sh
deleted file mode 100755
index 9f77438be62d0..0000000000000
--- a/.ci/run.sh
+++ /dev/null
@@ -1,50 +0,0 @@
-#!/usr/bin/env bash
-
-set -e
-
-# move to Kibana root
-cd "$(dirname "$0")/.."
-
-source src/dev/ci_setup/load_env_keys.sh
-source src/dev/ci_setup/extract_bootstrap_cache.sh
-source src/dev/ci_setup/setup.sh
-source src/dev/ci_setup/checkout_sibling_es.sh
-
-case "$JOB" in
-kibana-intake)
-  ./test/scripts/jenkins_unit.sh
-  ;;
-kibana-ciGroup*)
-  export CI_GROUP="${JOB##kibana-ciGroup}"
-  ./test/scripts/jenkins_ci_group.sh
-  ;;
-kibana-visualRegression*)
-  ./test/scripts/jenkins_visual_regression.sh
-  ;;
-kibana-accessibility*)
-  ./test/scripts/jenkins_accessibility.sh
-  ;;
-kibana-firefoxSmoke*)
-  ./test/scripts/jenkins_firefox_smoke.sh
-  ;;
-x-pack-intake)
-  ./test/scripts/jenkins_xpack.sh
-  ;;
-x-pack-ciGroup*)
-  export CI_GROUP="${JOB##x-pack-ciGroup}"
-  ./test/scripts/jenkins_xpack_ci_group.sh
-  ;;
-x-pack-visualRegression*)
-  ./test/scripts/jenkins_xpack_visual_regression.sh
-  ;;
-x-pack-accessibility*)
-  ./test/scripts/jenkins_xpack_accessibility.sh
-  ;;
-x-pack-firefoxSmoke*)
-  ./test/scripts/jenkins_xpack_firefox_smoke.sh
-  ;;
-*)
-  echo "JOB '$JOB' is not implemented."
-  exit 1
-  ;;
-esac
diff --git a/Jenkinsfile b/Jenkinsfile
index 4695004cd010a..4e6f3141a12e7 100644
--- a/Jenkinsfile
+++ b/Jenkinsfile
@@ -11,8 +11,8 @@ stage("Kibana Pipeline") { // This stage is just here to help the BlueOcean UI a
           catchError {
             retryable.enable()
             parallel([
-              'kibana-intake-agent': kibanaPipeline.legacyJobRunner('kibana-intake'),
-              'x-pack-intake-agent': kibanaPipeline.legacyJobRunner('x-pack-intake'),
+              'kibana-intake-agent': kibanaPipeline.intakeWorker('kibana-intake', './test/scripts/jenkins_unit.sh'),
+              'x-pack-intake-agent': kibanaPipeline.intakeWorker('x-pack-intake', './test/scripts/jenkins_xpack.sh'),
               'kibana-oss-agent': kibanaPipeline.withWorkers('kibana-oss-tests', { kibanaPipeline.buildOss() }, [
                 'oss-firefoxSmoke': kibanaPipeline.getPostBuildWorker('firefoxSmoke', {
                   retryable('kibana-firefoxSmoke') {
diff --git a/test/scripts/jenkins_accessibility.sh b/test/scripts/jenkins_accessibility.sh
index 0b3d8dc3f85c2..c122d71b58edb 100755
--- a/test/scripts/jenkins_accessibility.sh
+++ b/test/scripts/jenkins_accessibility.sh
@@ -1,23 +1,6 @@
 #!/usr/bin/env bash
 
-set -e
-
-if [[ -n "$IS_PIPELINE_JOB" ]] ; then
-  source src/dev/ci_setup/setup_env.sh
-fi
-
-export TEST_BROWSER_HEADLESS=1
-
-if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-  yarn run grunt functionalTests:ensureAllTestsInCiGroup;
-  node scripts/build --debug --oss;
-else
-  installDir="$(realpath $PARENT_DIR/kibana/build/oss/kibana-*-SNAPSHOT-linux-x86_64)"
-  destDir=${installDir}-${CI_WORKER_NUMBER}
-  cp -R "$installDir" "$destDir"
-
-  export KIBANA_INSTALL_DIR="$destDir"
-fi
+source test/scripts/jenkins_test_setup_oss.sh
 
 checks-reporter-with-killswitch "Kibana accessibility tests" \
   node scripts/functional_tests \
diff --git a/test/scripts/jenkins_ci_group.sh b/test/scripts/jenkins_ci_group.sh
index fccdb29ff512b..bef6b518b1999 100755
--- a/test/scripts/jenkins_ci_group.sh
+++ b/test/scripts/jenkins_ci_group.sh
@@ -1,19 +1,8 @@
 #!/usr/bin/env bash
 
-source test/scripts/jenkins_test_setup.sh
-
-if [[ -z "$CODE_COVERAGE" ]] ; then
-  if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-    yarn run grunt functionalTests:ensureAllTestsInCiGroup;
-    node scripts/build --debug --oss;
-  else
-    installDir="$(realpath $PARENT_DIR/kibana/build/oss/kibana-*-SNAPSHOT-linux-x86_64)"
-    destDir=${installDir}-${CI_WORKER_NUMBER}
-    cp -R "$installDir" "$destDir"
-
-    export KIBANA_INSTALL_DIR="$destDir"
-  fi
+source test/scripts/jenkins_test_setup_oss.sh
 
+if [[ -z "$CODE_COVERAGE" ]]; then
   checks-reporter-with-killswitch "Functional tests / Group ${CI_GROUP}" yarn run grunt "run:functionalTests_ciGroup${CI_GROUP}";
 
   if [ "$CI_GROUP" == "1" ]; then
@@ -24,8 +13,6 @@ if [[ -z "$CODE_COVERAGE" ]] ; then
   fi
 else
   echo " -> Running Functional tests with code coverage"
-
   export NODE_OPTIONS=--max_old_space_size=8192
-
   yarn run grunt "run:functionalTests_ciGroup${CI_GROUP}";
 fi
diff --git a/test/scripts/jenkins_firefox_smoke.sh b/test/scripts/jenkins_firefox_smoke.sh
index 9a31f5f43d224..0129d4f1bce9f 100755
--- a/test/scripts/jenkins_firefox_smoke.sh
+++ b/test/scripts/jenkins_firefox_smoke.sh
@@ -1,22 +1,6 @@
 #!/usr/bin/env bash
 
-source test/scripts/jenkins_test_setup.sh
-
-if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-  node scripts/build --debug --oss;
-  linuxBuild="$(find "$KIBANA_DIR/target" -name 'kibana-oss-*-linux-x86_64.tar.gz')"
-  installDir="$PARENT_DIR/install/kibana"
-  mkdir -p "$installDir"
-  tar -xzf "$linuxBuild" -C "$installDir" --strip=1
-else
-  installDir="$(realpath $PARENT_DIR/kibana/build/oss/kibana-*-SNAPSHOT-linux-x86_64)"
-  destDir=${installDir}-${CI_WORKER_NUMBER}
-  cp -R "$installDir" "$destDir"
-
-  export KIBANA_INSTALL_DIR="$destDir"
-fi
-
-export TEST_BROWSER_HEADLESS=1
+source test/scripts/jenkins_test_setup_oss.sh
 
 checks-reporter-with-killswitch "Firefox smoke test" \
   node scripts/functional_tests \
diff --git a/test/scripts/jenkins_test_setup.sh b/test/scripts/jenkins_test_setup.sh
index e2dd0bc276bb6..49ee8a6b526ca 100644
--- a/test/scripts/jenkins_test_setup.sh
+++ b/test/scripts/jenkins_test_setup.sh
@@ -1,11 +1,9 @@
+#!/usr/bin/env bash
+
 set -e
 
 function post_work() {
   set +e
-  if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-    node "$KIBANA_DIR/scripts/report_failed_tests"
-  fi
-
   if [[ -z "$REMOVE_KIBANA_INSTALL_DIR" && -z "$KIBANA_INSTALL_DIR" && -d "$KIBANA_INSTALL_DIR" ]]; then
     rm -rf "$REMOVE_KIBANA_INSTALL_DIR"
   fi
@@ -15,6 +13,4 @@ trap 'post_work' EXIT
 
 export TEST_BROWSER_HEADLESS=1
 
-if [[ -n "$IS_PIPELINE_JOB" ]] ; then
-  source src/dev/ci_setup/setup_env.sh
-fi
+source src/dev/ci_setup/setup_env.sh
diff --git a/test/scripts/jenkins_test_setup_oss.sh b/test/scripts/jenkins_test_setup_oss.sh
new file mode 100644
index 0000000000000..9e68272053221
--- /dev/null
+++ b/test/scripts/jenkins_test_setup_oss.sh
@@ -0,0 +1,11 @@
+#!/usr/bin/env bash
+
+source test/scripts/jenkins_test_setup.sh
+
+if [[ -z "$CODE_COVERAGE" ]] ; then
+  installDir="$(realpath $PARENT_DIR/kibana/build/oss/kibana-*-SNAPSHOT-linux-x86_64)"
+  destDir=${installDir}-${CI_WORKER_NUMBER}
+  cp -R "$installDir" "$destDir"
+
+  export KIBANA_INSTALL_DIR="$destDir"
+fi
diff --git a/test/scripts/jenkins_test_setup_xpack.sh b/test/scripts/jenkins_test_setup_xpack.sh
new file mode 100644
index 0000000000000..76fc7cfe6c876
--- /dev/null
+++ b/test/scripts/jenkins_test_setup_xpack.sh
@@ -0,0 +1,13 @@
+#!/usr/bin/env bash
+
+source test/scripts/jenkins_test_setup.sh
+
+if [[ -z "$CODE_COVERAGE" ]]; then
+  installDir="$PARENT_DIR/install/kibana"
+  destDir="${installDir}-${CI_WORKER_NUMBER}"
+  cp -R "$installDir" "$destDir"
+
+  export KIBANA_INSTALL_DIR="$destDir"
+
+  cd "$XPACK_DIR"
+fi
diff --git a/test/scripts/jenkins_unit.sh b/test/scripts/jenkins_unit.sh
index a8b5e8e4fdf97..fe67594ad8ac2 100755
--- a/test/scripts/jenkins_unit.sh
+++ b/test/scripts/jenkins_unit.sh
@@ -1,8 +1,6 @@
 #!/usr/bin/env bash
 
-set -e
-
-export TEST_BROWSER_HEADLESS=1
+source test/scripts/jenkins_test_setup.sh
 
 if [[ -z "$CODE_COVERAGE" ]] ; then
   "$(FORCE_COLOR=0 yarn bin)/grunt" jenkins:unit --dev;
diff --git a/test/scripts/jenkins_visual_regression.sh b/test/scripts/jenkins_visual_regression.sh
index 9ca1c0f08d2c9..dda966dea98d0 100755
--- a/test/scripts/jenkins_visual_regression.sh
+++ b/test/scripts/jenkins_visual_regression.sh
@@ -1,22 +1,8 @@
 #!/usr/bin/env bash
 
-source test/scripts/jenkins_test_setup.sh
+source test/scripts/jenkins_test_setup_xpack.sh
 source "$KIBANA_DIR/src/dev/ci_setup/setup_percy.sh"
 
-if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-  node scripts/build --debug --oss;
-  linuxBuild="$(find "$KIBANA_DIR/target" -name 'kibana-oss-*-linux-x86_64.tar.gz')"
-  installDir="$PARENT_DIR/install/kibana"
-  mkdir -p "$installDir"
-  tar -xzf "$linuxBuild" -C "$installDir" --strip=1
-else
-  installDir="$(realpath $PARENT_DIR/kibana/build/oss/kibana-*-SNAPSHOT-linux-x86_64)"
-  destDir=${installDir}-${CI_WORKER_NUMBER}
-  cp -R "$installDir" "$destDir"
-
-  export KIBANA_INSTALL_DIR="$destDir"
-fi
-
 checks-reporter-with-killswitch "Kibana visual regression tests" \
   yarn run percy exec -t 500 \
   node scripts/functional_tests \
diff --git a/test/scripts/jenkins_xpack.sh b/test/scripts/jenkins_xpack.sh
index e0055085d9b37..e076bd43e1c6e 100755
--- a/test/scripts/jenkins_xpack.sh
+++ b/test/scripts/jenkins_xpack.sh
@@ -1,8 +1,6 @@
 #!/usr/bin/env bash
 
-set -e
-
-export TEST_BROWSER_HEADLESS=1
+source test/scripts/jenkins_test_setup.sh
 
 if [[ -z "$CODE_COVERAGE" ]] ; then
   echo " -> Running mocha tests"
@@ -10,26 +8,26 @@ if [[ -z "$CODE_COVERAGE" ]] ; then
   checks-reporter-with-killswitch "X-Pack Karma Tests" yarn test:browser
   echo ""
   echo ""
-    
+
   echo " -> Running jest tests"
   cd "$XPACK_DIR"
   checks-reporter-with-killswitch "X-Pack Jest" node scripts/jest --ci --verbose
   echo ""
   echo ""
-    
+
   echo " -> Running SIEM cyclic dependency test"
   cd "$XPACK_DIR"
   checks-reporter-with-killswitch "X-Pack SIEM cyclic dependency test" node legacy/plugins/siem/scripts/check_circular_deps
   echo ""
   echo ""
-    
+
   # FAILING: https://github.com/elastic/kibana/issues/44250
   # echo " -> Running jest contracts tests"
   # cd "$XPACK_DIR"
   # SLAPSHOT_ONLINE=true CONTRACT_ONLINE=true node scripts/jest_contract.js --ci --verbose
   # echo ""
   # echo ""
-    
+
   # echo " -> Running jest integration tests"
   # cd "$XPACK_DIR"
   # node scripts/jest_integration --ci --verbose
@@ -48,4 +46,4 @@ else
     ../target/kibana-coverage/jest/xpack-coverage-final.json
   echo ""
   echo ""
-fi
\ No newline at end of file
+fi
diff --git a/test/scripts/jenkins_xpack_accessibility.sh b/test/scripts/jenkins_xpack_accessibility.sh
index af813c3c40f84..a3c03dd780886 100755
--- a/test/scripts/jenkins_xpack_accessibility.sh
+++ b/test/scripts/jenkins_xpack_accessibility.sh
@@ -1,32 +1,6 @@
 #!/usr/bin/env bash
 
-set -e
-
-if [[ -n "$IS_PIPELINE_JOB" ]] ; then
-  source src/dev/ci_setup/setup_env.sh
-fi
-
-if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-  echo " -> building and extracting default Kibana distributable for use in functional tests"
-  node scripts/build --debug --no-oss
-
-  linuxBuild="$(find "$KIBANA_DIR/target" -name 'kibana-*-linux-x86_64.tar.gz')"
-  installDir="$PARENT_DIR/install/kibana"
-
-  mkdir -p "$installDir"
-  tar -xzf "$linuxBuild" -C "$installDir" --strip=1
-
-  export KIBANA_INSTALL_DIR="$installDir"
-else
-  installDir="$PARENT_DIR/install/kibana"
-  destDir="${installDir}-${CI_WORKER_NUMBER}"
-  cp -R "$installDir" "$destDir"
-
-  export KIBANA_INSTALL_DIR="$destDir"
-fi
-
-export TEST_BROWSER_HEADLESS=1
-cd "$XPACK_DIR"
+source test/scripts/jenkins_test_setup_xpack.sh
 
 checks-reporter-with-killswitch "X-Pack accessibility tests" \
   node scripts/functional_tests \
diff --git a/test/scripts/jenkins_xpack_ci_group.sh b/test/scripts/jenkins_xpack_ci_group.sh
index 58c407a848ae3..b599dc73005ec 100755
--- a/test/scripts/jenkins_xpack_ci_group.sh
+++ b/test/scripts/jenkins_xpack_ci_group.sh
@@ -1,47 +1,9 @@
 #!/usr/bin/env bash
 
-source test/scripts/jenkins_test_setup.sh
-
-if [[ -z "$CODE_COVERAGE" ]] ; then
-  if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-    echo " -> Ensuring all functional tests are in a ciGroup"
-    cd "$XPACK_DIR"
-    node scripts/functional_tests --assert-none-excluded \
-      --include-tag ciGroup1 \
-      --include-tag ciGroup2 \
-      --include-tag ciGroup3 \
-      --include-tag ciGroup4 \
-      --include-tag ciGroup5 \
-      --include-tag ciGroup6 \
-      --include-tag ciGroup7 \
-      --include-tag ciGroup8 \
-      --include-tag ciGroup9 \
-      --include-tag ciGroup10
-  fi
-
-  cd "$KIBANA_DIR"
-
-  if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-    echo " -> building and extracting default Kibana distributable for use in functional tests"
-    node scripts/build --debug --no-oss
-
-    linuxBuild="$(find "$KIBANA_DIR/target" -name 'kibana-*-linux-x86_64.tar.gz')"
-    installDir="$PARENT_DIR/install/kibana"
-
-    mkdir -p "$installDir"
-    tar -xzf "$linuxBuild" -C "$installDir" --strip=1
-
-    export KIBANA_INSTALL_DIR="$installDir"
-  else
-    installDir="$PARENT_DIR/install/kibana"
-    destDir="${installDir}-${CI_WORKER_NUMBER}"
-    cp -R "$installDir" "$destDir"
-
-    export KIBANA_INSTALL_DIR="$destDir"
-  fi
+source test/scripts/jenkins_test_setup_xpack.sh
 
+if [[ -z "$CODE_COVERAGE" ]]; then
   echo " -> Running functional and api tests"
-  cd "$XPACK_DIR"
 
   checks-reporter-with-killswitch "X-Pack Chrome Functional tests / Group ${CI_GROUP}" \
     node scripts/functional_tests \
@@ -53,9 +15,6 @@ if [[ -z "$CODE_COVERAGE" ]] ; then
   echo ""
 else
   echo " -> Running X-Pack functional tests with code coverage"
-  cd "$XPACK_DIR"
-
   export NODE_OPTIONS=--max_old_space_size=8192
-
   node scripts/functional_tests --debug --include-tag "ciGroup$CI_GROUP"
 fi
diff --git a/test/scripts/jenkins_xpack_firefox_smoke.sh b/test/scripts/jenkins_xpack_firefox_smoke.sh
index 43220459bcb97..5fe8b41cc0010 100755
--- a/test/scripts/jenkins_xpack_firefox_smoke.sh
+++ b/test/scripts/jenkins_xpack_firefox_smoke.sh
@@ -1,23 +1,6 @@
 #!/usr/bin/env bash
 
-source test/scripts/jenkins_test_setup.sh
-
-if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-  node scripts/build --debug --no-oss;
-  linuxBuild="$(find "$KIBANA_DIR/target" -name 'kibana-*-linux-x86_64.tar.gz')"
-  installDir="$PARENT_DIR/install/kibana"
-  mkdir -p "$installDir"
-  tar -xzf "$linuxBuild" -C "$installDir" --strip=1
-  export KIBANA_INSTALL_DIR="$installDir"
-else
-  installDir="$PARENT_DIR/install/kibana"
-  destDir="${installDir}-${CI_WORKER_NUMBER}"
-  cp -R "$installDir" "$destDir"
-
-  export KIBANA_INSTALL_DIR="$destDir"
-fi
-
-cd "$XPACK_DIR"
+source test/scripts/jenkins_test_setup_xpack.sh
 
 checks-reporter-with-killswitch "X-Pack firefox smoke test" \
   node scripts/functional_tests \
diff --git a/test/scripts/jenkins_xpack_visual_regression.sh b/test/scripts/jenkins_xpack_visual_regression.sh
index 5699f9e5ee7c1..6e3d4dd7c249b 100755
--- a/test/scripts/jenkins_xpack_visual_regression.sh
+++ b/test/scripts/jenkins_xpack_visual_regression.sh
@@ -1,25 +1,8 @@
 #!/usr/bin/env bash
 
-source test/scripts/jenkins_test_setup.sh
+source test/scripts/jenkins_test_setup_xpack.sh
 source "$KIBANA_DIR/src/dev/ci_setup/setup_percy.sh"
 
-if [[ -z "$IS_PIPELINE_JOB" ]] ; then
-  node scripts/build --debug --no-oss;
-  linuxBuild="$(find "$KIBANA_DIR/target" -name 'kibana-*-linux-x86_64.tar.gz')"
-  installDir="$PARENT_DIR/install/kibana"
-  mkdir -p "$installDir"
-  tar -xzf "$linuxBuild" -C "$installDir" --strip=1
-  export KIBANA_INSTALL_DIR="$installDir"
-else
-  installDir="$PARENT_DIR/install/kibana"
-  destDir="${installDir}-${CI_WORKER_NUMBER}"
-  cp -R "$installDir" "$destDir"
-
-  export KIBANA_INSTALL_DIR="$destDir"
-fi
-
-cd "$XPACK_DIR"
-
 checks-reporter-with-killswitch "X-Pack visual regression tests" \
   yarn run percy exec -t 500 \
   node scripts/functional_tests \
diff --git a/vars/kibanaPipeline.groovy b/vars/kibanaPipeline.groovy
index 346bcf77b96b1..dd66586e912d6 100644
--- a/vars/kibanaPipeline.groovy
+++ b/vars/kibanaPipeline.groovy
@@ -2,7 +2,7 @@ def withWorkers(machineName, preWorkerClosure = {}, workerClosures = [:]) {
   return {
     jobRunner('tests-xl', true) {
       withGcsArtifactUpload(machineName, {
-        try {
+        withPostBuildReporting {
           doSetup()
           preWorkerClosure()
 
@@ -26,24 +26,53 @@ def withWorkers(machineName, preWorkerClosure = {}, workerClosures = [:]) {
           }
 
           parallel(workers)
-        } finally {
-          catchError {
-            runErrorReporter()
-          }
-
-          catchError {
-            runbld.junit()
-          }
-
-          catchError {
-            publishJunit()
-          }
         }
       })
     }
   }
 }
 
+def withWorker(machineName, label, Closure closure) {
+  return {
+    jobRunner(label, false) {
+      withGcsArtifactUpload(machineName) {
+        withPostBuildReporting {
+          doSetup()
+          closure()
+        }
+      }
+    }
+  }
+}
+
+def intakeWorker(jobName, String script) {
+  return withWorker(jobName, 'linux && immutable') {
+    withEnv([
+      "JOB=${jobName}",
+    ]) {
+      runbld(script, "Execute ${jobName}")
+    }
+  }
+}
+
+def withPostBuildReporting(Closure closure) {
+  try {
+    closure()
+  } finally {
+    catchError {
+      runErrorReporter()
+    }
+
+    catchError {
+      runbld.junit()
+    }
+
+    catchError {
+      publishJunit()
+    }
+  }
+}
+
 def getPostBuildWorker(name, closure) {
   return { workerNumber ->
     def kibanaPort = "61${workerNumber}1"
@@ -90,34 +119,6 @@ def getXpackCiGroupWorker(ciGroup) {
   })
 }
 
-def legacyJobRunner(name) {
-  return {
-    parallel([
-      "${name}": {
-        withEnv([
-          "JOB=${name}",
-        ]) {
-          jobRunner('linux && immutable', false) {
-            withGcsArtifactUpload(name, {
-              try {
-                runbld('.ci/run.sh', "Execute ${name}", true)
-              } finally {
-                catchError {
-                  runErrorReporter()
-                }
-
-                catchError {
-                  publishJunit()
-                }
-              }
-            })
-          }
-        }
-      }
-    ])
-  }
-}
-
 def jobRunner(label, useRamDisk, closure) {
   node(label) {
     agentInfo.print()
@@ -168,8 +169,6 @@ def jobRunner(label, useRamDisk, closure) {
   }
 }
 
-// TODO what should happen if GCS, Junit, or email publishing fails? Unstable build? Failed build?
-
 def uploadGcsArtifact(uploadPrefix, pattern) {
   googleStorageUpload(
     credentialsId: 'kibana-ci-gcs-plugin',

From d66489df375013377f7fe30060f474fc35c88e8d Mon Sep 17 00:00:00 2001
From: Spencer <email@spalger.com>
Date: Mon, 27 Jan 2020 16:27:36 -0700
Subject: [PATCH 27/36] make test less flaky by retrying if list is re-rendered
 (#55949)

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../services/dashboard/add_panel.js           | 23 +++++++++++++------
 1 file changed, 16 insertions(+), 7 deletions(-)

diff --git a/test/functional/services/dashboard/add_panel.js b/test/functional/services/dashboard/add_panel.js
index e390fd918eaee..91e7c15c4f1d9 100644
--- a/test/functional/services/dashboard/add_panel.js
+++ b/test/functional/services/dashboard/add_panel.js
@@ -54,14 +54,23 @@ export function DashboardAddPanelProvider({ getService, getPageObjects }) {
     async addEveryEmbeddableOnCurrentPage() {
       log.debug('addEveryEmbeddableOnCurrentPage');
       const itemList = await testSubjects.find('savedObjectFinderItemList');
-      const embeddableRows = await itemList.findAllByCssSelector('li');
       const embeddableList = [];
-      for (let i = 0; i < embeddableRows.length; i++) {
-        embeddableList.push(await embeddableRows[i].getVisibleText());
-        await embeddableRows[i].click();
-        await PageObjects.common.closeToast();
-      }
-      log.debug(`Added ${embeddableRows.length} embeddables`);
+      await retry.try(async () => {
+        const embeddableRows = await itemList.findAllByCssSelector('li');
+        for (let i = 0; i < embeddableRows.length; i++) {
+          const name = await embeddableRows[i].getVisibleText();
+
+          if (embeddableList.includes(name)) {
+            // already added this one
+            continue;
+          }
+
+          await embeddableRows[i].click();
+          await PageObjects.common.closeToast();
+          embeddableList.push(name);
+        }
+      });
+      log.debug(`Added ${embeddableList.length} embeddables`);
       return embeddableList;
     }
 

From 80087a399fdf80743662eb47166061a7fcb38a1a Mon Sep 17 00:00:00 2001
From: Garrett Spong <spong@users.noreply.github.com>
Date: Mon, 27 Jan 2020 16:44:58 -0700
Subject: [PATCH 28/36] [SIEM] [Detection Engine] Fixes histogram intervals 
 (#55969)

## Summary

This PR wraps up the remaining `Detection Engine` meta tickets: https://github.com/elastic/kibana/issues/55585, https://github.com/elastic/kibana/issues/54935, and https://github.com/elastic/siem-team/issues/498
- [x] Histogram bar interval (bar counts and widths) consistency (https://github.com/elastic/kibana/issues/55585)
  - [x] Make the bar intervals a consistent 32 bars across the board
  * Enabled `extended_bounds`, `min_doc_count: 0`, and now setting consistent `fixed_interval` when querying to ensure the entire daterange is displayed across all histograms.
- [x] Filter out the "untitled" timelines from both timeline selection options during rule creation (https://github.com/elastic/siem-team/issues/498)
  - [ ] ~Import query from saved timeline~
    * For 7.7 tracking ticket here: https://github.com/elastic/kibana/issues/56079
  - [x] `Investigate detections using this timeline template`
- [x] Everywhere we use "Alerts" (Overview page, Host Tab, Network Tab) we should change the term to "External Alerts"
  - [x] Updated Host Page Tab/Table/Histogram/Breadcrumbs
  - [x] Updated Network Page Tab/Table/Histogram/Breadcrumbs
- [x] Updated DE permission/index  error doc links to go to [corresponding DE docs section](https://www.elastic.co/guide/en/siem/guide/7.6/detection-engine-overview.html#detections-permissions)
- [x] Removed `frequency` in favor of `count` for remaining histograms

##### Inconsistent Histogram intervals
![image](https://user-images.githubusercontent.com/2946766/73161560-04a82300-40a9-11ea-950f-ea56f9a5bfd7.png)


##### Consistent Histogram Intervals
![image](https://user-images.githubusercontent.com/2946766/73159564-fefc0e80-40a3-11ea-9b9d-4d15899dabd2.png)


cc @MichaelMarcialis @cwurm @MikePaquette

### Checklist

Use ~~strikethroughs~~ to remove checklist items you don't feel are applicable to this PR.

- [ ] ~This was checked for cross-browser compatibility, [including a check against IE11](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#cross-browser-compatibility)~
- [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/master/packages/kbn-i18n/README.md)
- [ ] ~[Documentation](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#writing-documentation) was added for features that require explanation or tutorials~
- [ ] ~[Unit or functional tests](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#cross-browser-compatibility) were updated or added to match the most common scenarios~
- [ ] ~This was checked for [keyboard-only and screenreader accessibility](https://developer.mozilla.org/en-US/docs/Learn/Tools_and_testing/Cross_browser_testing/Accessibility#Accessibility_testing_checklist)~

### For maintainers

- [ ] ~This was checked for breaking API changes and was [labeled appropriately](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#release-notes-process)~
- [ ] ~This includes a feature addition or change that requires a release note and was [labeled appropriately](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#release-notes-process)~
---
 .../public/components/alerts_viewer/index.tsx | 10 +++++-
 .../components/alerts_viewer/translations.ts  | 10 +++---
 .../timeline/search_super_select/index.tsx    | 34 ++++++++++++-------
 .../signals_histogram_panel/helpers.tsx       |  9 +++--
 .../signals_histogram_panel/translations.ts   |  2 +-
 .../detection_engine_no_signal_index.tsx      | 29 ++++++++--------
 .../detection_engine_user_unauthenticated.tsx | 28 ++++++++-------
 .../rules/components/pick_timeline/index.tsx  |  1 +
 .../siem/public/pages/hosts/translations.ts   |  2 +-
 .../siem/public/pages/network/translations.ts |  2 +-
 .../public/pages/overview/translations.ts     |  2 +-
 .../siem/server/lib/alerts/query.dsl.ts       | 19 +++++------
 .../query.anomalies_over_time.dsl.ts          | 19 +++++------
 .../query.authentications_over_time.dsl.ts    | 19 +++++------
 .../lib/events/query.events_over_time.dsl.ts  | 19 +++++------
 .../lib/network/query_dns_histogram.dsl.ts    |  6 ++--
 .../calculate_timeseries_interval.ts          | 11 ++----
 17 files changed, 118 insertions(+), 104 deletions(-)

diff --git a/x-pack/legacy/plugins/siem/public/components/alerts_viewer/index.tsx b/x-pack/legacy/plugins/siem/public/components/alerts_viewer/index.tsx
index 0b99a8b059df7..2d10928da570a 100644
--- a/x-pack/legacy/plugins/siem/public/components/alerts_viewer/index.tsx
+++ b/x-pack/legacy/plugins/siem/public/components/alerts_viewer/index.tsx
@@ -6,6 +6,7 @@
 import { noop } from 'lodash/fp';
 import React, { useEffect, useCallback } from 'react';
 import { EuiSpacer } from '@elastic/eui';
+import numeral from '@elastic/numeral';
 
 import { AlertsComponentsQueryProps } from './types';
 import { AlertsTable } from './alerts_table';
@@ -13,6 +14,8 @@ import * as i18n from './translations';
 import { MatrixHistogramOption } from '../matrix_histogram/types';
 import { MatrixHistogramContainer } from '../../containers/matrix_histogram';
 import { MatrixHistogramGqlQuery } from '../../containers/matrix_histogram/index.gql_query';
+import { useUiSetting$ } from '../../lib/kibana';
+import { DEFAULT_NUMBER_FORMAT } from '../../../common/constants';
 const ID = 'alertsOverTimeQuery';
 export const alertsStackByOptions: MatrixHistogramOption[] = [
   {
@@ -37,6 +40,8 @@ export const AlertsView = ({
   type,
   updateDateRange = noop,
 }: AlertsComponentsQueryProps) => {
+  const [defaultNumberFormat] = useUiSetting$<string>(DEFAULT_NUMBER_FORMAT);
+
   useEffect(() => {
     return () => {
       if (deleteQuery) {
@@ -46,7 +51,10 @@ export const AlertsView = ({
   }, []);
 
   const getSubtitle = useCallback(
-    (totalCount: number) => `${i18n.SHOWING}: ${totalCount} ${i18n.UNIT(totalCount)}`,
+    (totalCount: number) =>
+      `${i18n.SHOWING}: ${numeral(totalCount).format(defaultNumberFormat)} ${i18n.UNIT(
+        totalCount
+      )}`,
     []
   );
 
diff --git a/x-pack/legacy/plugins/siem/public/components/alerts_viewer/translations.ts b/x-pack/legacy/plugins/siem/public/components/alerts_viewer/translations.ts
index 408c406a854be..b0bc38bd3ebdc 100644
--- a/x-pack/legacy/plugins/siem/public/components/alerts_viewer/translations.ts
+++ b/x-pack/legacy/plugins/siem/public/components/alerts_viewer/translations.ts
@@ -7,19 +7,19 @@
 import { i18n } from '@kbn/i18n';
 
 export const ALERTS_DOCUMENT_TYPE = i18n.translate('xpack.siem.alertsView.alertsDocumentType', {
-  defaultMessage: 'Alerts',
+  defaultMessage: 'External alerts',
 });
 
 export const TOTAL_COUNT_OF_ALERTS = i18n.translate('xpack.siem.alertsView.totalCountOfAlerts', {
-  defaultMessage: 'alerts match the search criteria',
+  defaultMessage: 'external alerts match the search criteria',
 });
 
 export const ALERTS_TABLE_TITLE = i18n.translate('xpack.siem.alertsView.alertsTableTitle', {
-  defaultMessage: 'Alerts',
+  defaultMessage: 'External alerts',
 });
 
 export const ALERTS_GRAPH_TITLE = i18n.translate('xpack.siem.alertsView.alertsGraphTitle', {
-  defaultMessage: 'Alert detection frequency',
+  defaultMessage: 'External alerts count',
 });
 
 export const ALERTS_STACK_BY_MODULE = i18n.translate(
@@ -36,7 +36,7 @@ export const SHOWING = i18n.translate('xpack.siem.alertsView.showing', {
 export const UNIT = (totalCount: number) =>
   i18n.translate('xpack.siem.alertsView.unit', {
     values: { totalCount },
-    defaultMessage: `{totalCount, plural, =1 {alert} other {alerts}}`,
+    defaultMessage: `external {totalCount, plural, =1 {alert} other {alerts}}`,
   });
 
 export const ERROR_FETCHING_ALERTS_DATA = i18n.translate(
diff --git a/x-pack/legacy/plugins/siem/public/components/timeline/search_super_select/index.tsx b/x-pack/legacy/plugins/siem/public/components/timeline/search_super_select/index.tsx
index 009ab141e958e..b8280aedd12fa 100644
--- a/x-pack/legacy/plugins/siem/public/components/timeline/search_super_select/index.tsx
+++ b/x-pack/legacy/plugins/siem/public/components/timeline/search_super_select/index.tsx
@@ -73,6 +73,7 @@ const MyEuiFlexGroup = styled(EuiFlexGroup)`
 
 interface SearchTimelineSuperSelectProps {
   isDisabled: boolean;
+  hideUntitled?: boolean;
   timelineId: string | null;
   timelineTitle: string | null;
   onTimelineChange: (timelineTitle: string, timelineId: string | null) => void;
@@ -101,6 +102,7 @@ const POPOVER_HEIGHT = 260;
 const TIMELINE_ITEM_HEIGHT = 50;
 const SearchTimelineSuperSelectComponent: React.FC<SearchTimelineSuperSelectProps> = ({
   isDisabled,
+  hideUntitled = false,
   timelineId,
   timelineTitle,
   onTimelineChange,
@@ -287,7 +289,11 @@ const SearchTimelineSuperSelectComponent: React.FC<SearchTimelineSuperSelectProp
                 rowHeight: TIMELINE_ITEM_HEIGHT,
                 showIcons: false,
                 virtualizedProps: ({
-                  onScroll: handleOnScroll.bind(null, timelines.length, totalCount),
+                  onScroll: handleOnScroll.bind(
+                    null,
+                    timelines.filter(t => !hideUntitled || t.title !== '').length,
+                    totalCount
+                  ),
                 } as unknown) as ListProps,
               }}
               renderOption={renderTimelineOption}
@@ -308,18 +314,20 @@ const SearchTimelineSuperSelectComponent: React.FC<SearchTimelineSuperSelectProp
                 ...(!onlyFavorites && searchTimelineValue === ''
                   ? getBasicSelectableOptions(timelineId == null ? '-1' : timelineId)
                   : []),
-                ...timelines.map(
-                  (t, index) =>
-                    ({
-                      description: t.description,
-                      favorite: t.favorite,
-                      label: t.title,
-                      id: t.savedObjectId,
-                      key: `${t.title}-${index}`,
-                      title: t.title,
-                      checked: t.savedObjectId === timelineId ? 'on' : undefined,
-                    } as Option)
-                ),
+                ...timelines
+                  .filter(t => !hideUntitled || t.title !== '')
+                  .map(
+                    (t, index) =>
+                      ({
+                        description: t.description,
+                        favorite: t.favorite,
+                        label: t.title,
+                        id: t.savedObjectId,
+                        key: `${t.title}-${index}`,
+                        title: t.title,
+                        checked: t.savedObjectId === timelineId ? 'on' : undefined,
+                      } as Option)
+                  ),
               ]}
             >
               {(list, search) => (
diff --git a/x-pack/legacy/plugins/siem/public/pages/detection_engine/components/signals_histogram_panel/helpers.tsx b/x-pack/legacy/plugins/siem/public/pages/detection_engine/components/signals_histogram_panel/helpers.tsx
index 71a19d4595f6a..551850fa610db 100644
--- a/x-pack/legacy/plugins/siem/public/pages/detection_engine/components/signals_histogram_panel/helpers.tsx
+++ b/x-pack/legacy/plugins/siem/public/pages/detection_engine/components/signals_histogram_panel/helpers.tsx
@@ -47,9 +47,14 @@ export const getSignalsHistogramQuery = (
       },
       aggs: {
         signals: {
-          auto_date_histogram: {
+          date_histogram: {
             field: '@timestamp',
-            buckets: 36,
+            fixed_interval: `${Math.floor((to - from) / 32)}ms`,
+            min_doc_count: 0,
+            extended_bounds: {
+              min: from,
+              max: to,
+            },
           },
         },
       },
diff --git a/x-pack/legacy/plugins/siem/public/pages/detection_engine/components/signals_histogram_panel/translations.ts b/x-pack/legacy/plugins/siem/public/pages/detection_engine/components/signals_histogram_panel/translations.ts
index 8c88fa4a5dae6..4cecf7376ca41 100644
--- a/x-pack/legacy/plugins/siem/public/pages/detection_engine/components/signals_histogram_panel/translations.ts
+++ b/x-pack/legacy/plugins/siem/public/pages/detection_engine/components/signals_histogram_panel/translations.ts
@@ -86,7 +86,7 @@ export const STACK_BY_USERS = i18n.translate(
 export const HISTOGRAM_HEADER = i18n.translate(
   'xpack.siem.detectionEngine.signals.histogram.headerTitle',
   {
-    defaultMessage: 'Signal count',
+    defaultMessage: 'Signals count',
   }
 );
 
diff --git a/x-pack/legacy/plugins/siem/public/pages/detection_engine/detection_engine_no_signal_index.tsx b/x-pack/legacy/plugins/siem/public/pages/detection_engine/detection_engine_no_signal_index.tsx
index 1be6317a91607..f1478ab5858c9 100644
--- a/x-pack/legacy/plugins/siem/public/pages/detection_engine/detection_engine_no_signal_index.tsx
+++ b/x-pack/legacy/plugins/siem/public/pages/detection_engine/detection_engine_no_signal_index.tsx
@@ -5,23 +5,24 @@
  */
 
 import React from 'react';
-import chrome from 'ui/chrome';
 
 import { EmptyPage } from '../../components/empty_page';
 import * as i18n from './translations';
+import { useKibana } from '../../lib/kibana';
 
-const basePath = chrome.getBasePath();
-
-export const DetectionEngineNoIndex = React.memo(() => (
-  <EmptyPage
-    actionPrimaryIcon="documents"
-    actionPrimaryLabel={i18n.GO_TO_DOCUMENTATION}
-    actionPrimaryUrl={`${basePath}/app/kibana#/home/tutorial_directory/siem`}
-    actionPrimaryTarget="_blank"
-    message={i18n.NO_INDEX_MSG_BODY}
-    data-test-subj="no_index"
-    title={i18n.NO_INDEX_TITLE}
-  />
-));
+export const DetectionEngineNoIndex = React.memo(() => {
+  const docLinks = useKibana().services.docLinks;
+  return (
+    <EmptyPage
+      actionPrimaryIcon="documents"
+      actionPrimaryLabel={i18n.GO_TO_DOCUMENTATION}
+      actionPrimaryUrl={`${docLinks.ELASTIC_WEBSITE_URL}guide/en/siem/guide/${docLinks.DOC_LINK_VERSION}/detection-engine-overview.html#detections-permissions`}
+      actionPrimaryTarget="_blank"
+      message={i18n.NO_INDEX_MSG_BODY}
+      data-test-subj="no_index"
+      title={i18n.NO_INDEX_TITLE}
+    />
+  );
+});
 
 DetectionEngineNoIndex.displayName = 'DetectionEngineNoIndex';
diff --git a/x-pack/legacy/plugins/siem/public/pages/detection_engine/detection_engine_user_unauthenticated.tsx b/x-pack/legacy/plugins/siem/public/pages/detection_engine/detection_engine_user_unauthenticated.tsx
index 33b63aa3bf0fe..b5c805f92135a 100644
--- a/x-pack/legacy/plugins/siem/public/pages/detection_engine/detection_engine_user_unauthenticated.tsx
+++ b/x-pack/legacy/plugins/siem/public/pages/detection_engine/detection_engine_user_unauthenticated.tsx
@@ -5,23 +5,25 @@
  */
 
 import React from 'react';
-import chrome from 'ui/chrome';
 
 import { EmptyPage } from '../../components/empty_page';
 import * as i18n from './translations';
+import { useKibana } from '../../lib/kibana';
 
-const basePath = chrome.getBasePath();
+export const DetectionEngineUserUnauthenticated = React.memo(() => {
+  const docLinks = useKibana().services.docLinks;
 
-export const DetectionEngineUserUnauthenticated = React.memo(() => (
-  <EmptyPage
-    actionPrimaryIcon="documents"
-    actionPrimaryLabel={i18n.GO_TO_DOCUMENTATION}
-    actionPrimaryUrl={`${basePath}/app/kibana#/home/tutorial_directory/siem`}
-    actionPrimaryTarget="_blank"
-    message={i18n.USER_UNAUTHENTICATED_MSG_BODY}
-    data-test-subj="no_index"
-    title={i18n.USER_UNAUTHENTICATED_TITLE}
-  />
-));
+  return (
+    <EmptyPage
+      actionPrimaryIcon="documents"
+      actionPrimaryLabel={i18n.GO_TO_DOCUMENTATION}
+      actionPrimaryUrl={`${docLinks.ELASTIC_WEBSITE_URL}guide/en/siem/guide/${docLinks.DOC_LINK_VERSION}/detection-engine-overview.html#detections-permissions`}
+      actionPrimaryTarget="_blank"
+      message={i18n.USER_UNAUTHENTICATED_MSG_BODY}
+      data-test-subj="no_index"
+      title={i18n.USER_UNAUTHENTICATED_TITLE}
+    />
+  );
+});
 
 DetectionEngineUserUnauthenticated.displayName = 'DetectionEngineUserUnauthenticated';
diff --git a/x-pack/legacy/plugins/siem/public/pages/detection_engine/rules/components/pick_timeline/index.tsx b/x-pack/legacy/plugins/siem/public/pages/detection_engine/rules/components/pick_timeline/index.tsx
index 873e0c2184c61..f467d0ebede41 100644
--- a/x-pack/legacy/plugins/siem/public/pages/detection_engine/rules/components/pick_timeline/index.tsx
+++ b/x-pack/legacy/plugins/siem/public/pages/detection_engine/rules/components/pick_timeline/index.tsx
@@ -65,6 +65,7 @@ export const PickTimeline = ({
     >
       <SearchTimelineSuperSelect
         isDisabled={isDisabled}
+        hideUntitled={true}
         timelineId={timelineId}
         timelineTitle={timelineTitle}
         onTimelineChange={handleOnTimelineChange}
diff --git a/x-pack/legacy/plugins/siem/public/pages/hosts/translations.ts b/x-pack/legacy/plugins/siem/public/pages/hosts/translations.ts
index 011e1a8574ae4..b8c8779ae0f24 100644
--- a/x-pack/legacy/plugins/siem/public/pages/hosts/translations.ts
+++ b/x-pack/legacy/plugins/siem/public/pages/hosts/translations.ts
@@ -47,7 +47,7 @@ export const NAVIGATION_EVENTS_TITLE = i18n.translate('xpack.siem.hosts.navigati
 });
 
 export const NAVIGATION_ALERTS_TITLE = i18n.translate('xpack.siem.hosts.navigation.alertsTitle', {
-  defaultMessage: 'Alerts',
+  defaultMessage: 'External alerts',
 });
 
 export const ERROR_FETCHING_AUTHENTICATIONS_DATA = i18n.translate(
diff --git a/x-pack/legacy/plugins/siem/public/pages/network/translations.ts b/x-pack/legacy/plugins/siem/public/pages/network/translations.ts
index e5e7144c3ca0e..5d80ded0aa66b 100644
--- a/x-pack/legacy/plugins/siem/public/pages/network/translations.ts
+++ b/x-pack/legacy/plugins/siem/public/pages/network/translations.ts
@@ -45,7 +45,7 @@ export const NAVIGATION_ANOMALIES_TITLE = i18n.translate(
 );
 
 export const NAVIGATION_ALERTS_TITLE = i18n.translate('xpack.siem.network.navigation.alertsTitle', {
-  defaultMessage: 'Alerts',
+  defaultMessage: 'External alerts',
 });
 
 export const DOMAINS_COUNT_BY = (groupByField: string) =>
diff --git a/x-pack/legacy/plugins/siem/public/pages/overview/translations.ts b/x-pack/legacy/plugins/siem/public/pages/overview/translations.ts
index 662fc721111ed..656abd3dc0570 100644
--- a/x-pack/legacy/plugins/siem/public/pages/overview/translations.ts
+++ b/x-pack/legacy/plugins/siem/public/pages/overview/translations.ts
@@ -13,7 +13,7 @@ export const ALERTS_COUNT_BY = (groupByField: string) =>
   });
 
 export const ALERTS_GRAPH_TITLE = i18n.translate('xpack.siem.overview.alertsGraphTitle', {
-  defaultMessage: 'Alert detection frequency',
+  defaultMessage: 'External alerts count',
 });
 
 export const EVENTS_COUNT_BY = (groupByField: string) =>
diff --git a/x-pack/legacy/plugins/siem/server/lib/alerts/query.dsl.ts b/x-pack/legacy/plugins/siem/server/lib/alerts/query.dsl.ts
index 08015c3508b86..eb82327197543 100644
--- a/x-pack/legacy/plugins/siem/server/lib/alerts/query.dsl.ts
+++ b/x-pack/legacy/plugins/siem/server/lib/alerts/query.dsl.ts
@@ -4,7 +4,7 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import { createQueryFilterClauses, calculateTimeseriesInterval } from '../../utils/build_query';
+import { createQueryFilterClauses, calculateTimeSeriesInterval } from '../../utils/build_query';
 import { buildTimelineQuery } from '../events/query.dsl';
 import { RequestOptions, MatrixHistogramRequestOptions } from '../framework';
 
@@ -68,18 +68,17 @@ export const buildAlertsHistogramQuery = ({
   ];
 
   const getHistogramAggregation = () => {
-    const interval = calculateTimeseriesInterval(from, to);
+    const interval = calculateTimeSeriesInterval(from, to);
     const histogramTimestampField = '@timestamp';
     const dateHistogram = {
       date_histogram: {
         field: histogramTimestampField,
-        fixed_interval: `${interval}s`,
-      },
-    };
-    const autoDateHistogram = {
-      auto_date_histogram: {
-        field: histogramTimestampField,
-        buckets: 36,
+        fixed_interval: interval,
+        min_doc_count: 0,
+        extended_bounds: {
+          min: from,
+          max: to,
+        },
       },
     };
     return {
@@ -93,7 +92,7 @@ export const buildAlertsHistogramQuery = ({
           size: 10,
         },
         aggs: {
-          alerts: interval ? dateHistogram : autoDateHistogram,
+          alerts: dateHistogram,
         },
       },
     };
diff --git a/x-pack/legacy/plugins/siem/server/lib/anomalies/query.anomalies_over_time.dsl.ts b/x-pack/legacy/plugins/siem/server/lib/anomalies/query.anomalies_over_time.dsl.ts
index b0892a68f0a2e..38e8387f43ffd 100644
--- a/x-pack/legacy/plugins/siem/server/lib/anomalies/query.anomalies_over_time.dsl.ts
+++ b/x-pack/legacy/plugins/siem/server/lib/anomalies/query.anomalies_over_time.dsl.ts
@@ -4,7 +4,7 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import { createQueryFilterClauses, calculateTimeseriesInterval } from '../../utils/build_query';
+import { createQueryFilterClauses, calculateTimeSeriesInterval } from '../../utils/build_query';
 import { MatrixHistogramRequestOptions } from '../framework';
 
 export const buildAnomaliesOverTimeQuery = ({
@@ -26,18 +26,17 @@ export const buildAnomaliesOverTimeQuery = ({
   ];
 
   const getHistogramAggregation = () => {
-    const interval = calculateTimeseriesInterval(from, to);
+    const interval = calculateTimeSeriesInterval(from, to);
     const histogramTimestampField = 'timestamp';
     const dateHistogram = {
       date_histogram: {
         field: histogramTimestampField,
-        fixed_interval: `${interval}s`,
-      },
-    };
-    const autoDateHistogram = {
-      auto_date_histogram: {
-        field: histogramTimestampField,
-        buckets: 36,
+        fixed_interval: interval,
+        min_doc_count: 0,
+        extended_bounds: {
+          min: from,
+          max: to,
+        },
       },
     };
     return {
@@ -50,7 +49,7 @@ export const buildAnomaliesOverTimeQuery = ({
           size: 10,
         },
         aggs: {
-          anomalies: interval ? dateHistogram : autoDateHistogram,
+          anomalies: dateHistogram,
         },
       },
     };
diff --git a/x-pack/legacy/plugins/siem/server/lib/authentications/query.authentications_over_time.dsl.ts b/x-pack/legacy/plugins/siem/server/lib/authentications/query.authentications_over_time.dsl.ts
index 77b35fef77dca..ccf0d235abdd3 100644
--- a/x-pack/legacy/plugins/siem/server/lib/authentications/query.authentications_over_time.dsl.ts
+++ b/x-pack/legacy/plugins/siem/server/lib/authentications/query.authentications_over_time.dsl.ts
@@ -3,7 +3,7 @@
  * or more contributor license agreements. Licensed under the Elastic License;
  * you may not use this file except in compliance with the Elastic License.
  */
-import { createQueryFilterClauses, calculateTimeseriesInterval } from '../../utils/build_query';
+import { createQueryFilterClauses, calculateTimeSeriesInterval } from '../../utils/build_query';
 import { MatrixHistogramRequestOptions } from '../framework';
 
 export const buildAuthenticationsOverTimeQuery = ({
@@ -28,18 +28,17 @@ export const buildAuthenticationsOverTimeQuery = ({
   ];
 
   const getHistogramAggregation = () => {
-    const interval = calculateTimeseriesInterval(from, to);
+    const interval = calculateTimeSeriesInterval(from, to);
     const histogramTimestampField = '@timestamp';
     const dateHistogram = {
       date_histogram: {
         field: histogramTimestampField,
-        fixed_interval: `${interval}s`,
-      },
-    };
-    const autoDateHistogram = {
-      auto_date_histogram: {
-        field: histogramTimestampField,
-        buckets: 36,
+        fixed_interval: interval,
+        min_doc_count: 0,
+        extended_bounds: {
+          min: from,
+          max: to,
+        },
       },
     };
     return {
@@ -53,7 +52,7 @@ export const buildAuthenticationsOverTimeQuery = ({
           size: 2,
         },
         aggs: {
-          events: interval ? dateHistogram : autoDateHistogram,
+          events: dateHistogram,
         },
       },
     };
diff --git a/x-pack/legacy/plugins/siem/server/lib/events/query.events_over_time.dsl.ts b/x-pack/legacy/plugins/siem/server/lib/events/query.events_over_time.dsl.ts
index 4b1837497669f..3a4281b980cc4 100644
--- a/x-pack/legacy/plugins/siem/server/lib/events/query.events_over_time.dsl.ts
+++ b/x-pack/legacy/plugins/siem/server/lib/events/query.events_over_time.dsl.ts
@@ -3,7 +3,7 @@
  * or more contributor license agreements. Licensed under the Elastic License;
  * you may not use this file except in compliance with the Elastic License.
  */
-import { createQueryFilterClauses, calculateTimeseriesInterval } from '../../utils/build_query';
+import { createQueryFilterClauses, calculateTimeSeriesInterval } from '../../utils/build_query';
 import { MatrixHistogramRequestOptions } from '../framework';
 
 export const buildEventsOverTimeQuery = ({
@@ -28,18 +28,17 @@ export const buildEventsOverTimeQuery = ({
   ];
 
   const getHistogramAggregation = () => {
-    const interval = calculateTimeseriesInterval(from, to);
+    const interval = calculateTimeSeriesInterval(from, to);
     const histogramTimestampField = '@timestamp';
     const dateHistogram = {
       date_histogram: {
         field: histogramTimestampField,
-        fixed_interval: `${interval}s`,
-      },
-    };
-    const autoDateHistogram = {
-      auto_date_histogram: {
-        field: histogramTimestampField,
-        buckets: 36,
+        fixed_interval: interval,
+        min_doc_count: 0,
+        extended_bounds: {
+          min: from,
+          max: to,
+        },
       },
     };
     return {
@@ -53,7 +52,7 @@ export const buildEventsOverTimeQuery = ({
           size: 10,
         },
         aggs: {
-          events: interval ? dateHistogram : autoDateHistogram,
+          events: dateHistogram,
         },
       },
     };
diff --git a/x-pack/legacy/plugins/siem/server/lib/network/query_dns_histogram.dsl.ts b/x-pack/legacy/plugins/siem/server/lib/network/query_dns_histogram.dsl.ts
index 67457ab4840ac..1ce324e0ffff8 100644
--- a/x-pack/legacy/plugins/siem/server/lib/network/query_dns_histogram.dsl.ts
+++ b/x-pack/legacy/plugins/siem/server/lib/network/query_dns_histogram.dsl.ts
@@ -4,7 +4,7 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import { createQueryFilterClauses, calculateTimeseriesInterval } from '../../utils/build_query';
+import { createQueryFilterClauses, calculateTimeSeriesInterval } from '../../utils/build_query';
 import { MatrixHistogramRequestOptions } from '../framework';
 
 export const buildDnsHistogramQuery = ({
@@ -29,12 +29,12 @@ export const buildDnsHistogramQuery = ({
   ];
 
   const getHistogramAggregation = () => {
-    const interval = calculateTimeseriesInterval(from, to);
+    const interval = calculateTimeSeriesInterval(from, to);
     const histogramTimestampField = '@timestamp';
     const dateHistogram = {
       date_histogram: {
         field: histogramTimestampField,
-        fixed_interval: `${interval}s`,
+        fixed_interval: interval,
       },
     };
 
diff --git a/x-pack/legacy/plugins/siem/server/utils/build_query/calculate_timeseries_interval.ts b/x-pack/legacy/plugins/siem/server/utils/build_query/calculate_timeseries_interval.ts
index 752c686b243ac..5b667f461fc60 100644
--- a/x-pack/legacy/plugins/siem/server/utils/build_query/calculate_timeseries_interval.ts
+++ b/x-pack/legacy/plugins/siem/server/utils/build_query/calculate_timeseries_interval.ts
@@ -89,13 +89,6 @@ export const calculateAuto = {
   }),
 };
 
-export const calculateTimeseriesInterval = (
-  lowerBoundInMsSinceEpoch: number,
-  upperBoundInMsSinceEpoch: number
-) => {
-  const duration = moment.duration(upperBoundInMsSinceEpoch - lowerBoundInMsSinceEpoch, 'ms');
-
-  const matchedInterval = calculateAuto.near(50, duration);
-
-  return matchedInterval ? Math.max(matchedInterval.asSeconds(), 1) : null;
+export const calculateTimeSeriesInterval = (from: number, to: number) => {
+  return `${Math.floor((to - from) / 32)}ms`;
 };

From 1ec7ee79b61811180a8c4e0351c599f4a27d445c Mon Sep 17 00:00:00 2001
From: Phillip Burch <phillip.burch@live.com>
Date: Mon, 27 Jan 2020 19:10:34 -0600
Subject: [PATCH 29/36] Create a new menu for observability links (#54847)

* Create a new menu for observability links. Use it on inentory page.

* Change the order of props for clarity

* Fix default message

* Composition over configuration

* Show ids and ips. PR feedback.

* Don't wrap subtitle. Use fields in inventory model for name

* Tooltip was becoming hacky. Keep it simple and wrap the id.

* Create observability plugin. Add action menu to it.

* Fix path

* Satisfy linter and fix test

* Please the linter

* Update translastions

* Update test for disabled links

* Update more tests

Co-authored-by: Elastic Machine <elasticmachine@users.noreply.github.com>
---
 .../common/inventory_models/aws_ec2/index.ts  |   3 +
 .../common/inventory_models/aws_rds/index.ts  |   3 +
 .../common/inventory_models/aws_s3/index.ts   |   3 +
 .../common/inventory_models/aws_sqs/index.ts  |   3 +
 .../inventory_models/container/index.ts       |   3 +
 .../common/inventory_models/host/index.ts     |   3 +
 .../common/inventory_models/pod/index.ts      |   3 +
 .../infra/common/inventory_models/types.ts    |   1 +
 .../components/waffle/node_context_menu.tsx   | 153 ++++++++++++------
 x-pack/plugins/observability/kibana.json      |   6 +
 .../public/components/action_menu.tsx         |  57 +++++++
 x-pack/plugins/observability/public/index.ts  |  16 ++
 x-pack/plugins/observability/public/plugin.ts |  15 ++
 .../translations/translations/ja-JP.json      |   4 +-
 .../translations/translations/zh-CN.json      |   4 +-
 .../infrastructure_security.ts                |  12 +-
 .../feature_controls/infrastructure_spaces.ts |   6 +-
 17 files changed, 237 insertions(+), 58 deletions(-)
 create mode 100644 x-pack/plugins/observability/kibana.json
 create mode 100644 x-pack/plugins/observability/public/components/action_menu.tsx
 create mode 100644 x-pack/plugins/observability/public/index.ts
 create mode 100644 x-pack/plugins/observability/public/plugin.ts

diff --git a/x-pack/legacy/plugins/infra/common/inventory_models/aws_ec2/index.ts b/x-pack/legacy/plugins/infra/common/inventory_models/aws_ec2/index.ts
index ccfd8cd9851eb..5f667beebd83b 100644
--- a/x-pack/legacy/plugins/infra/common/inventory_models/aws_ec2/index.ts
+++ b/x-pack/legacy/plugins/infra/common/inventory_models/aws_ec2/index.ts
@@ -13,6 +13,9 @@ export const awsEC2: InventoryModel = {
   displayName: i18n.translate('xpack.infra.inventoryModels.awsEC2.displayName', {
     defaultMessage: 'EC2 Instances',
   }),
+  singularDisplayName: i18n.translate('xpack.infra.inventoryModels.awsEC2.singularDisplayName', {
+    defaultMessage: 'EC2 Instance',
+  }),
   requiredModule: 'aws',
   crosslinkSupport: {
     details: true,
diff --git a/x-pack/legacy/plugins/infra/common/inventory_models/aws_rds/index.ts b/x-pack/legacy/plugins/infra/common/inventory_models/aws_rds/index.ts
index f1182a942ff06..02cef192b59ef 100644
--- a/x-pack/legacy/plugins/infra/common/inventory_models/aws_rds/index.ts
+++ b/x-pack/legacy/plugins/infra/common/inventory_models/aws_rds/index.ts
@@ -13,6 +13,9 @@ export const awsRDS: InventoryModel = {
   displayName: i18n.translate('xpack.infra.inventoryModels.awsRDS.displayName', {
     defaultMessage: 'RDS Databases',
   }),
+  singularDisplayName: i18n.translate('xpack.infra.inventoryModels.awsRDS.singularDisplayName', {
+    defaultMessage: 'RDS Database',
+  }),
   requiredModule: 'aws',
   crosslinkSupport: {
     details: true,
diff --git a/x-pack/legacy/plugins/infra/common/inventory_models/aws_s3/index.ts b/x-pack/legacy/plugins/infra/common/inventory_models/aws_s3/index.ts
index 3bdf319f49c5f..a786283a100a9 100644
--- a/x-pack/legacy/plugins/infra/common/inventory_models/aws_s3/index.ts
+++ b/x-pack/legacy/plugins/infra/common/inventory_models/aws_s3/index.ts
@@ -13,6 +13,9 @@ export const awsS3: InventoryModel = {
   displayName: i18n.translate('xpack.infra.inventoryModels.awsS3.displayName', {
     defaultMessage: 'S3 Buckets',
   }),
+  singularDisplayName: i18n.translate('xpack.infra.inventoryModels.awsS3.singularDisplayName', {
+    defaultMessage: 'S3 Bucket',
+  }),
   requiredModule: 'aws',
   crosslinkSupport: {
     details: true,
diff --git a/x-pack/legacy/plugins/infra/common/inventory_models/aws_sqs/index.ts b/x-pack/legacy/plugins/infra/common/inventory_models/aws_sqs/index.ts
index 1733e995a824f..21379ebb1e604 100644
--- a/x-pack/legacy/plugins/infra/common/inventory_models/aws_sqs/index.ts
+++ b/x-pack/legacy/plugins/infra/common/inventory_models/aws_sqs/index.ts
@@ -13,6 +13,9 @@ export const awsSQS: InventoryModel = {
   displayName: i18n.translate('xpack.infra.inventoryModels.awsSQS.displayName', {
     defaultMessage: 'SQS Queues',
   }),
+  singularDisplayName: i18n.translate('xpack.infra.inventoryModels.awsSQS.singularDisplayName', {
+    defaultMessage: 'SQS Queue',
+  }),
   requiredModule: 'aws',
   crosslinkSupport: {
     details: true,
diff --git a/x-pack/legacy/plugins/infra/common/inventory_models/container/index.ts b/x-pack/legacy/plugins/infra/common/inventory_models/container/index.ts
index 29b3cfe3af180..c142f600d1d56 100644
--- a/x-pack/legacy/plugins/infra/common/inventory_models/container/index.ts
+++ b/x-pack/legacy/plugins/infra/common/inventory_models/container/index.ts
@@ -13,6 +13,9 @@ export const container: InventoryModel = {
   displayName: i18n.translate('xpack.infra.inventoryModel.container.displayName', {
     defaultMessage: 'Docker Containers',
   }),
+  singularDisplayName: i18n.translate('xpack.infra.inventoryModel.container.singularDisplayName', {
+    defaultMessage: 'Docker Container',
+  }),
   requiredModule: 'docker',
   crosslinkSupport: {
     details: true,
diff --git a/x-pack/legacy/plugins/infra/common/inventory_models/host/index.ts b/x-pack/legacy/plugins/infra/common/inventory_models/host/index.ts
index 364ef0b4c2c91..538af4f5119b4 100644
--- a/x-pack/legacy/plugins/infra/common/inventory_models/host/index.ts
+++ b/x-pack/legacy/plugins/infra/common/inventory_models/host/index.ts
@@ -17,6 +17,9 @@ export const host: InventoryModel = {
   displayName: i18n.translate('xpack.infra.inventoryModel.host.displayName', {
     defaultMessage: 'Hosts',
   }),
+  singularDisplayName: i18n.translate('xpack.infra.inventoryModels.host.singularDisplayName', {
+    defaultMessage: 'Host',
+  }),
   requiredModule: 'system',
   crosslinkSupport: {
     details: true,
diff --git a/x-pack/legacy/plugins/infra/common/inventory_models/pod/index.ts b/x-pack/legacy/plugins/infra/common/inventory_models/pod/index.ts
index f76a0304e26c0..961e0248c79da 100644
--- a/x-pack/legacy/plugins/infra/common/inventory_models/pod/index.ts
+++ b/x-pack/legacy/plugins/infra/common/inventory_models/pod/index.ts
@@ -14,6 +14,9 @@ export const pod: InventoryModel = {
   displayName: i18n.translate('xpack.infra.inventoryModel.pod.displayName', {
     defaultMessage: 'Kubernetes Pods',
   }),
+  singularDisplayName: i18n.translate('xpack.infra.inventoryModels.pod.singularDisplayName', {
+    defaultMessage: 'Kubernetes Pod',
+  }),
   requiredModule: 'kubernetes',
   crosslinkSupport: {
     details: true,
diff --git a/x-pack/legacy/plugins/infra/common/inventory_models/types.ts b/x-pack/legacy/plugins/infra/common/inventory_models/types.ts
index cc2396547edc4..2f61b16fb3df8 100644
--- a/x-pack/legacy/plugins/infra/common/inventory_models/types.ts
+++ b/x-pack/legacy/plugins/infra/common/inventory_models/types.ts
@@ -320,6 +320,7 @@ export interface InventoryMetrics {
 export interface InventoryModel {
   id: string;
   displayName: string;
+  singularDisplayName: string;
   requiredModule: string;
   fields: {
     id: string;
diff --git a/x-pack/legacy/plugins/infra/public/components/waffle/node_context_menu.tsx b/x-pack/legacy/plugins/infra/public/components/waffle/node_context_menu.tsx
index 5a90efcc51a57..86a22c358b4d5 100644
--- a/x-pack/legacy/plugins/infra/public/components/waffle/node_context_menu.tsx
+++ b/x-pack/legacy/plugins/infra/public/components/waffle/node_context_menu.tsx
@@ -4,21 +4,26 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import {
-  EuiContextMenu,
-  EuiContextMenuPanelDescriptor,
-  EuiPopover,
-  EuiPopoverProps,
-} from '@elastic/eui';
+import { EuiPopoverProps, EuiCode } from '@elastic/eui';
 import { i18n } from '@kbn/i18n';
+import { FormattedMessage } from '@kbn/i18n/react';
 
-import React from 'react';
+import React, { useMemo } from 'react';
 import { InfraWaffleMapNode, InfraWaffleMapOptions } from '../../lib/lib';
 import { getNodeDetailUrl, getNodeLogsUrl } from '../../pages/link_to';
 import { createUptimeLink } from './lib/create_uptime_link';
-import { findInventoryModel } from '../../../common/inventory_models';
+import { findInventoryModel, findInventoryFields } from '../../../common/inventory_models';
 import { useKibana } from '../../../../../../../src/plugins/kibana_react/public';
 import { InventoryItemType } from '../../../common/inventory_models/types';
+import {
+  Section,
+  SectionLinkProps,
+  ActionMenu,
+  SectionTitle,
+  SectionSubtitle,
+  SectionLinks,
+  SectionLink,
+} from '../../../../../../plugins/observability/public';
 
 interface Props {
   options: InfraWaffleMapOptions;
@@ -43,15 +48,42 @@ export const NodeContextMenu = ({
 }: Props) => {
   const uiCapabilities = useKibana().services.application?.capabilities;
   const inventoryModel = findInventoryModel(nodeType);
+  const nodeDetailFrom = currentTime - inventoryModel.metrics.defaultTimeRangeInSeconds * 1000;
   // Due to the changing nature of the fields between APM and this UI,
   // We need to have some exceptions until 7.0 & ECS is finalized. Reference
   // #26620 for the details for these fields.
   // TODO: This is tech debt, remove it after 7.0 & ECS migration.
   const apmField = nodeType === 'host' ? 'host.hostname' : inventoryModel.fields.id;
 
-  const nodeLogsMenuItem = {
-    name: i18n.translate('xpack.infra.nodeContextMenu.viewLogsName', {
-      defaultMessage: 'View logs',
+  const showDetail = inventoryModel.crosslinkSupport.details;
+  const showLogsLink =
+    inventoryModel.crosslinkSupport.logs && node.id && uiCapabilities?.logs?.show;
+  const showAPMTraceLink =
+    inventoryModel.crosslinkSupport.apm && uiCapabilities?.apm && uiCapabilities?.apm.show;
+  const showUptimeLink =
+    inventoryModel.crosslinkSupport.uptime && (['pod', 'container'].includes(nodeType) || node.ip);
+
+  const inventoryId = useMemo(() => {
+    if (nodeType === 'host') {
+      if (node.ip) {
+        return { label: <EuiCode>host.ip</EuiCode>, value: node.ip };
+      }
+    } else {
+      if (options.fields) {
+        const { id } = findInventoryFields(nodeType, options.fields);
+        return {
+          label: <EuiCode>{id}</EuiCode>,
+          value: node.id,
+        };
+      }
+    }
+    return { label: '', value: '' };
+  }, [nodeType, node.ip, node.id, options.fields]);
+
+  const nodeLogsMenuItem: SectionLinkProps = {
+    label: i18n.translate('xpack.infra.nodeContextMenu.viewLogsName', {
+      defaultMessage: '{inventoryName} logs',
+      values: { inventoryName: inventoryModel.singularDisplayName },
     }),
     href: getNodeLogsUrl({
       nodeType,
@@ -59,12 +91,13 @@ export const NodeContextMenu = ({
       time: currentTime,
     }),
     'data-test-subj': 'viewLogsContextMenuItem',
+    isDisabled: !showLogsLink,
   };
 
-  const nodeDetailFrom = currentTime - inventoryModel.metrics.defaultTimeRangeInSeconds * 1000;
-  const nodeDetailMenuItem = {
-    name: i18n.translate('xpack.infra.nodeContextMenu.viewMetricsName', {
-      defaultMessage: 'View metrics',
+  const nodeDetailMenuItem: SectionLinkProps = {
+    label: i18n.translate('xpack.infra.nodeContextMenu.viewMetricsName', {
+      defaultMessage: '{inventoryName} metrics',
+      values: { inventoryName: inventoryModel.singularDisplayName },
     }),
     href: getNodeDetailUrl({
       nodeType,
@@ -72,54 +105,82 @@ export const NodeContextMenu = ({
       from: nodeDetailFrom,
       to: currentTime,
     }),
+    isDisabled: !showDetail,
   };
 
-  const apmTracesMenuItem = {
-    name: i18n.translate('xpack.infra.nodeContextMenu.viewAPMTraces', {
-      defaultMessage: 'View APM traces',
+  const apmTracesMenuItem: SectionLinkProps = {
+    label: i18n.translate('xpack.infra.nodeContextMenu.viewAPMTraces', {
+      defaultMessage: '{inventoryName} APM traces',
+      values: { inventoryName: inventoryModel.singularDisplayName },
     }),
     href: `../app/apm#/traces?_g=()&kuery=${apmField}:"${node.id}"`,
     'data-test-subj': 'viewApmTracesContextMenuItem',
+    isDisabled: !showAPMTraceLink,
   };
 
-  const uptimeMenuItem = {
-    name: i18n.translate('xpack.infra.nodeContextMenu.viewUptimeLink', {
-      defaultMessage: 'View in Uptime',
+  const uptimeMenuItem: SectionLinkProps = {
+    label: i18n.translate('xpack.infra.nodeContextMenu.viewUptimeLink', {
+      defaultMessage: '{inventoryName} in Uptime',
+      values: { inventoryName: inventoryModel.singularDisplayName },
     }),
     href: createUptimeLink(options, nodeType, node),
+    isDisabled: !showUptimeLink,
   };
 
-  const showDetail = inventoryModel.crosslinkSupport.details;
-  const showLogsLink =
-    inventoryModel.crosslinkSupport.logs && node.id && uiCapabilities?.logs?.show;
-  const showAPMTraceLink =
-    inventoryModel.crosslinkSupport.apm && uiCapabilities?.apm && uiCapabilities?.apm.show;
-  const showUptimeLink =
-    inventoryModel.crosslinkSupport.uptime && (['pod', 'container'].includes(nodeType) || node.ip);
-
-  const items = [
-    ...(showLogsLink ? [nodeLogsMenuItem] : []),
-    ...(showDetail ? [nodeDetailMenuItem] : []),
-    ...(showAPMTraceLink ? [apmTracesMenuItem] : []),
-    ...(showUptimeLink ? [uptimeMenuItem] : []),
-  ];
-  const panels: EuiContextMenuPanelDescriptor[] = [{ id: 0, title: '', items }];
-
-  // If there is nothing to show then we need to return the child as is
-  if (items.length === 0) {
-    return <>{children}</>;
-  }
-
   return (
-    <EuiPopover
+    <ActionMenu
       closePopover={closePopover}
       id={`${node.pathId}-popover`}
       isOpen={isPopoverOpen}
       button={children}
-      panelPaddingSize="none"
       anchorPosition={popoverPosition}
     >
-      <EuiContextMenu initialPanelId={0} panels={panels} data-test-subj="nodeContextMenu" />
-    </EuiPopover>
+      <div style={{ maxWidth: 300 }} data-test-subj="nodeContextMenu">
+        <Section>
+          <SectionTitle>
+            <FormattedMessage
+              id="xpack.infra.nodeContextMenu.title"
+              defaultMessage="{inventoryName} details"
+              values={{ inventoryName: inventoryModel.singularDisplayName }}
+            />
+          </SectionTitle>
+          {inventoryId.label && (
+            <SectionSubtitle>
+              <div style={{ wordBreak: 'break-all' }}>
+                <FormattedMessage
+                  id="xpack.infra.nodeContextMenu.description"
+                  defaultMessage="View details for {label} {value}"
+                  values={{ label: inventoryId.label, value: inventoryId.value }}
+                />
+              </div>
+            </SectionSubtitle>
+          )}
+          <SectionLinks>
+            <SectionLink
+              data-test-subj="viewLogsContextMenuItem"
+              label={nodeLogsMenuItem.label}
+              href={nodeLogsMenuItem.href}
+              isDisabled={nodeLogsMenuItem.isDisabled}
+            />
+            <SectionLink
+              label={nodeDetailMenuItem.label}
+              href={nodeDetailMenuItem.href}
+              isDisabled={nodeDetailMenuItem.isDisabled}
+            />
+            <SectionLink
+              label={apmTracesMenuItem.label}
+              href={apmTracesMenuItem.href}
+              data-test-subj="viewApmTracesContextMenuItem"
+              isDisabled={apmTracesMenuItem.isDisabled}
+            />
+            <SectionLink
+              label={uptimeMenuItem.label}
+              href={uptimeMenuItem.href}
+              isDisabled={uptimeMenuItem.isDisabled}
+            />
+          </SectionLinks>
+        </Section>
+      </div>
+    </ActionMenu>
   );
 };
diff --git a/x-pack/plugins/observability/kibana.json b/x-pack/plugins/observability/kibana.json
new file mode 100644
index 0000000000000..57063ea729ed6
--- /dev/null
+++ b/x-pack/plugins/observability/kibana.json
@@ -0,0 +1,6 @@
+{
+  "id": "observability",
+  "version": "8.0.0",
+  "kibanaVersion": "kibana",
+  "ui": true
+}
diff --git a/x-pack/plugins/observability/public/components/action_menu.tsx b/x-pack/plugins/observability/public/components/action_menu.tsx
new file mode 100644
index 0000000000000..6e964dde3aecf
--- /dev/null
+++ b/x-pack/plugins/observability/public/components/action_menu.tsx
@@ -0,0 +1,57 @@
+/*
+ * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
+ * or more contributor license agreements. Licensed under the Elastic License;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+
+import {
+  EuiPopover,
+  EuiText,
+  EuiListGroup,
+  EuiSpacer,
+  EuiHorizontalRule,
+  EuiListGroupItem,
+  EuiPopoverProps,
+} from '@elastic/eui';
+
+import React, { HTMLAttributes } from 'react';
+import { EuiListGroupItemProps } from '@elastic/eui/src/components/list_group/list_group_item';
+
+type Props = EuiPopoverProps & HTMLAttributes<HTMLDivElement>;
+
+export const SectionTitle: React.FC<{}> = props => (
+  <>
+    <EuiText size={'s'} grow={false}>
+      <h5>{props.children}</h5>
+    </EuiText>
+    <EuiSpacer size={'s'} />
+  </>
+);
+
+export const SectionSubtitle: React.FC<{}> = props => (
+  <>
+    <EuiText size={'xs'} color={'subdued'} grow={false}>
+      <small>{props.children}</small>
+    </EuiText>
+    <EuiSpacer size={'s'} />
+  </>
+);
+
+export const SectionLinks: React.FC<{}> = props => (
+  <EuiListGroup flush={true} bordered={false}>
+    {props.children}
+  </EuiListGroup>
+);
+
+export const SectionSpacer: React.FC<{}> = () => <EuiSpacer size={'l'} />;
+
+export const Section: React.FC<{}> = props => <>{props.children}</>;
+
+export type SectionLinkProps = EuiListGroupItemProps;
+export const SectionLink: React.FC<EuiListGroupItemProps> = props => (
+  <EuiListGroupItem style={{ padding: 0 }} size={'s'} {...props} />
+);
+
+export const ActionMenuDivider: React.FC<{}> = props => <EuiHorizontalRule margin={'s'} />;
+
+export const ActionMenu: React.FC<Props> = props => <EuiPopover {...props} ownFocus={true} />;
diff --git a/x-pack/plugins/observability/public/index.ts b/x-pack/plugins/observability/public/index.ts
new file mode 100644
index 0000000000000..c822edc3f4de8
--- /dev/null
+++ b/x-pack/plugins/observability/public/index.ts
@@ -0,0 +1,16 @@
+/*
+ * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
+ * or more contributor license agreements. Licensed under the Elastic License;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+
+import { PluginInitializerContext, PluginInitializer } from 'kibana/public';
+import { Plugin, ClientSetup, ClientStart } from './plugin';
+
+export const plugin: PluginInitializer<ClientSetup, ClientStart> = (
+  context: PluginInitializerContext
+) => {
+  return new Plugin(context);
+};
+
+export * from './components/action_menu';
diff --git a/x-pack/plugins/observability/public/plugin.ts b/x-pack/plugins/observability/public/plugin.ts
new file mode 100644
index 0000000000000..a7eb1c50a0392
--- /dev/null
+++ b/x-pack/plugins/observability/public/plugin.ts
@@ -0,0 +1,15 @@
+/*
+ * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
+ * or more contributor license agreements. Licensed under the Elastic License;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+import { Plugin as PluginClass, PluginInitializerContext } from 'kibana/public';
+
+export type ClientSetup = void;
+export type ClientStart = void;
+
+export class Plugin implements PluginClass {
+  constructor(context: PluginInitializerContext) {}
+  start() {}
+  setup() {}
+}
diff --git a/x-pack/plugins/translations/translations/ja-JP.json b/x-pack/plugins/translations/translations/ja-JP.json
index 9b17de0d91334..ce6126e79a82b 100644
--- a/x-pack/plugins/translations/translations/ja-JP.json
+++ b/x-pack/plugins/translations/translations/ja-JP.json
@@ -6636,8 +6636,6 @@
     "xpack.infra.metricsExplorer.openInTSVB": "ビジュアライザーで開く",
     "xpack.infra.metricsExplorer.viewNodeDetail": "{name} のメトリックを表示",
     "xpack.infra.node.ariaLabel": "{nodeName}、クリックしてメニューを開きます",
-    "xpack.infra.nodeContextMenu.viewLogsName": "ログを表示",
-    "xpack.infra.nodeContextMenu.viewMetricsName": "メトリックを表示",
     "xpack.infra.nodeDetails.labels.availabilityZone": "アベイラビリティゾーン",
     "xpack.infra.nodeDetails.labels.cloudProvider": "クラウドプロバイダー",
     "xpack.infra.nodeDetails.labels.containerized": "コンテナー化",
@@ -13203,4 +13201,4 @@
     "xpack.watcher.watchEdit.thresholdWatchExpression.aggType.fieldIsRequiredValidationMessage": "フィールドを選択してください。",
     "xpack.watcher.watcherDescription": "アラートの作成、管理、監視によりデータへの変更を検知します。"
   }
-}
+}
\ No newline at end of file
diff --git a/x-pack/plugins/translations/translations/zh-CN.json b/x-pack/plugins/translations/translations/zh-CN.json
index 932e1e79f949c..a5b2bafaded88 100644
--- a/x-pack/plugins/translations/translations/zh-CN.json
+++ b/x-pack/plugins/translations/translations/zh-CN.json
@@ -6635,8 +6635,6 @@
     "xpack.infra.metricsExplorer.openInTSVB": "在 Visualize 中打开",
     "xpack.infra.metricsExplorer.viewNodeDetail": "查看 {name} 的指标",
     "xpack.infra.node.ariaLabel": "{nodeName},单击打开菜单",
-    "xpack.infra.nodeContextMenu.viewLogsName": "查看日志",
-    "xpack.infra.nodeContextMenu.viewMetricsName": "查看指标",
     "xpack.infra.nodeDetails.labels.availabilityZone": "可用区",
     "xpack.infra.nodeDetails.labels.cloudProvider": "云服务提供商",
     "xpack.infra.nodeDetails.labels.containerized": "容器化",
@@ -13202,4 +13200,4 @@
     "xpack.watcher.watchEdit.thresholdWatchExpression.aggType.fieldIsRequiredValidationMessage": "此字段必填。",
     "xpack.watcher.watcherDescription": "通过创建、管理和监测警报来检测数据中的更改。"
   }
-}
+}
\ No newline at end of file
diff --git a/x-pack/test/functional/apps/infra/feature_controls/infrastructure_security.ts b/x-pack/test/functional/apps/infra/feature_controls/infrastructure_security.ts
index b7c5667a57506..ac7bd66d3466f 100644
--- a/x-pack/test/functional/apps/infra/feature_controls/infrastructure_security.ts
+++ b/x-pack/test/functional/apps/infra/feature_controls/infrastructure_security.ts
@@ -104,12 +104,14 @@ export default function({ getPageObjects, getService }: FtrProviderContext) {
 
           it(`does not show link to view logs`, async () => {
             await retry.waitFor('context menu', () => testSubjects.exists('~nodeContextMenu'));
-            await testSubjects.missingOrFail('~viewLogsContextMenuItem');
+            const link = await testSubjects.find('~viewLogsContextMenuItem');
+            expect(await link.isEnabled()).to.be(false);
           });
 
           it(`does not show link to view apm traces`, async () => {
             await retry.waitFor('context menu', () => testSubjects.exists('~nodeContextMenu'));
-            await testSubjects.missingOrFail('~viewApmTracesContextMenuItem');
+            const link = await testSubjects.find('~viewApmTracesContextMenuItem');
+            expect(await link.isEnabled()).to.be(false);
           });
         });
 
@@ -217,12 +219,14 @@ export default function({ getPageObjects, getService }: FtrProviderContext) {
 
           it(`does not show link to view logs`, async () => {
             await retry.waitFor('context menu', () => testSubjects.exists('~nodeContextMenu'));
-            await testSubjects.missingOrFail('~viewLogsContextMenuItem');
+            const link = await testSubjects.find('~viewLogsContextMenuItem');
+            expect(await link.isEnabled()).to.be(false);
           });
 
           it(`does not show link to view apm traces`, async () => {
             await retry.waitFor('context menu', () => testSubjects.exists('~nodeContextMenu'));
-            await testSubjects.missingOrFail('~viewApmTracesContextMenuItem');
+            const link = await testSubjects.find('~viewApmTracesContextMenuItem');
+            expect(await link.isEnabled()).to.be(false);
           });
         });
 
diff --git a/x-pack/test/functional/apps/infra/feature_controls/infrastructure_spaces.ts b/x-pack/test/functional/apps/infra/feature_controls/infrastructure_spaces.ts
index 90458ef53dfc2..1d7ef9bea81e6 100644
--- a/x-pack/test/functional/apps/infra/feature_controls/infrastructure_spaces.ts
+++ b/x-pack/test/functional/apps/infra/feature_controls/infrastructure_spaces.ts
@@ -191,7 +191,8 @@ export default function({ getPageObjects, getService }: FtrProviderContext) {
 
         it(`doesn't show link to view logs`, async () => {
           await retry.waitFor('context menu', () => testSubjects.exists('~nodeContextMenu'));
-          await testSubjects.missingOrFail('~viewLogsContextMenuItem');
+          const link = await testSubjects.find('~viewLogsContextMenuItem');
+          expect(await link.isEnabled()).to.be(false);
         });
 
         it(`shows link to view apm traces`, async () => {
@@ -239,7 +240,8 @@ export default function({ getPageObjects, getService }: FtrProviderContext) {
 
         it(`doesn't show link to view apm traces`, async () => {
           await retry.waitFor('context menu', () => testSubjects.exists('~nodeContextMenu'));
-          await testSubjects.missingOrFail('~viewApmTracesContextMenuItem');
+          const link = await testSubjects.find('~viewApmTracesContextMenuItem');
+          expect(await link.isEnabled()).to.be(false);
         });
       });
     });

From 1488aa9eaf99dc19a9af53e9fccea8084a153abf Mon Sep 17 00:00:00 2001
From: Nathan Reese <reese.nathan@gmail.com>
Date: Mon, 27 Jan 2020 20:13:21 -0500
Subject: [PATCH 30/36] [Maps] fix join metric field selection bugs (#56044)

* lint fixes

* move aggregation check to MEtricEditor

* fix functional test, handle case where fields are not loaded
---
 .../maps/public/components/metric_editor.js   | 42 ++++++++++++++-----
 1 file changed, 32 insertions(+), 10 deletions(-)

diff --git a/x-pack/legacy/plugins/maps/public/components/metric_editor.js b/x-pack/legacy/plugins/maps/public/components/metric_editor.js
index f6f5b23f14596..e60c2ac0dd7ab 100644
--- a/x-pack/legacy/plugins/maps/public/components/metric_editor.js
+++ b/x-pack/legacy/plugins/maps/public/components/metric_editor.js
@@ -14,12 +14,41 @@ import { MetricSelect, METRIC_AGGREGATION_VALUES } from './metric_select';
 import { SingleFieldSelect } from './single_field_select';
 import { METRIC_TYPE } from '../../common/constants';
 
+function filterFieldsForAgg(fields, aggType) {
+  if (!fields) {
+    return [];
+  }
+
+  if (aggType === METRIC_TYPE.UNIQUE_COUNT) {
+    return fields.filter(field => {
+      return field.aggregatable;
+    });
+  }
+
+  return fields.filter(field => {
+    return field.aggregatable && field.type === 'number';
+  });
+}
+
 export function MetricEditor({ fields, metricsFilter, metric, onChange, removeButton }) {
   const onAggChange = metricAggregationType => {
-    onChange({
+    const newMetricProps = {
       ...metric,
       type: metricAggregationType,
-    });
+    };
+
+    // unset field when new agg type does not support currently selected field.
+    if (metric.field && metricAggregationType !== METRIC_TYPE.COUNT) {
+      const fieldsForNewAggType = filterFieldsForAgg(fields, metricAggregationType);
+      const found = fieldsForNewAggType.find(field => {
+        return field.name === metric.field;
+      });
+      if (!found) {
+        newMetricProps.field = undefined;
+      }
+    }
+
+    onChange(newMetricProps);
   };
   const onFieldChange = fieldName => {
     onChange({
@@ -36,12 +65,6 @@ export function MetricEditor({ fields, metricsFilter, metric, onChange, removeBu
 
   let fieldSelect;
   if (metric.type && metric.type !== METRIC_TYPE.COUNT) {
-    const filterField =
-      metric.type !== METRIC_TYPE.UNIQUE_COUNT
-        ? field => {
-            return field.type === 'number';
-          }
-        : undefined;
     fieldSelect = (
       <EuiFormRow
         label={i18n.translate('xpack.maps.metricsEditor.selectFieldLabel', {
@@ -55,8 +78,7 @@ export function MetricEditor({ fields, metricsFilter, metric, onChange, removeBu
           })}
           value={metric.field}
           onChange={onFieldChange}
-          filterField={filterField}
-          fields={fields}
+          fields={filterFieldsForAgg(fields, metric.type)}
           isClearable={false}
           compressed
         />

From ba151fea0bfb1d187f9d1cdd7eb9077dc39b2e80 Mon Sep 17 00:00:00 2001
From: Brian Seeders <brian.seeders@elastic.co>
Date: Mon, 27 Jan 2020 20:45:24 -0500
Subject: [PATCH 31/36] Fix Github PR comment formatting (#56078)

---
 vars/githubPr.groovy | 25 +++++++++++++++----------
 1 file changed, 15 insertions(+), 10 deletions(-)

diff --git a/vars/githubPr.groovy b/vars/githubPr.groovy
index 4c19511bb8953..91a4a76894d94 100644
--- a/vars/githubPr.groovy
+++ b/vars/githubPr.groovy
@@ -106,23 +106,28 @@ def getTestFailuresMessage() {
   }
 
   def messages = []
+  messages << "---\n\n### [Test Failures](${env.BUILD_URL}testReport)"
 
-  failures.take(5).each { failure ->
+  failures.take(3).each { failure ->
     messages << """
----
-
-### [Test Failures](${env.BUILD_URL}testReport)
 <details><summary>${failure.fullDisplayName}</summary>
 
 [Link to Jenkins](${failure.url})
+"""
 
-```
-${failure.stdOut}
-```
-</details>
+    if (failure.stdOut) {
+      messages << "\n#### Standard Out\n```\n${failure.stdOut}\n```"
+    }
 
----
-    """
+    if (failure.stdErr) {
+      messages << "\n#### Standard Error\n```\n${failure.stdErr}\n```"
+    }
+
+    if (failure.stacktrace) {
+      messages << "\n#### Stack Trace\n```\n${failure.stacktrace}\n```"
+    }
+
+    messages << "</details>\n\n---"
   }
 
   if (failures.size() > 3) {

From e792292923b3567c73226c4eb40d1043f9d67d49 Mon Sep 17 00:00:00 2001
From: Brian Seeders <brian.seeders@elastic.co>
Date: Mon, 27 Jan 2020 21:44:58 -0500
Subject: [PATCH 32/36] Fix failing snapshot artifact tests when using env var
 (#56063)

---
 packages/kbn-es/src/artifact.test.js | 21 +++++++++++----------
 1 file changed, 11 insertions(+), 10 deletions(-)

diff --git a/packages/kbn-es/src/artifact.test.js b/packages/kbn-es/src/artifact.test.js
index 985b65c747563..453eb1a9a7689 100644
--- a/packages/kbn-es/src/artifact.test.js
+++ b/packages/kbn-es/src/artifact.test.js
@@ -52,21 +52,22 @@ const createArchive = (params = {}) => {
 const mockFetch = mock =>
   fetch.mockReturnValue(Promise.resolve(new Response(JSON.stringify(mock))));
 
-let previousSnapshotManifestValue = null;
+const previousEnvVars = {};
+const ENV_VARS_TO_RESET = ['ES_SNAPSHOT_MANIFEST', 'KBN_ES_SNAPSHOT_USE_UNVERIFIED'];
 
 beforeAll(() => {
-  if ('ES_SNAPSHOT_MANIFEST' in process.env) {
-    previousSnapshotManifestValue = process.env.ES_SNAPSHOT_MANIFEST;
-    delete process.env.ES_SNAPSHOT_MANIFEST;
-  }
+  ENV_VARS_TO_RESET.forEach(key => {
+    if (key in process.env) {
+      previousEnvVars[key] = process.env[key];
+      delete process.env[key];
+    }
+  });
 });
 
 afterAll(() => {
-  if (previousSnapshotManifestValue !== null) {
-    process.env.ES_SNAPSHOT_MANIFEST = previousSnapshotManifestValue;
-  } else {
-    delete process.env.ES_SNAPSHOT_MANIFEST;
-  }
+  Object.keys(previousEnvVars).forEach(key => {
+    process.env[key] = previousEnvVars[key];
+  });
 });
 
 beforeEach(() => {

From 4f659859793f29087d2bfbebb91534dd96042ddf Mon Sep 17 00:00:00 2001
From: Frank Hassanabad <frank.hassanabad@elastic.co>
Date: Mon, 27 Jan 2020 20:26:01 -0700
Subject: [PATCH 33/36] [SIEM][Detection Engine] critical blocker, updates the
 pre-packaged rules, removes dead ones, adds license file (#56090)

## Summary

* Adds updated pre-packaged rules with more meta-data (from randomuserid)
* Deletes older rules not shipping (from randomuserid)
* Adds license file for rules (from randomuserid)

### Checklist

Use ~~strikethroughs~~ to remove checklist items you don't feel are applicable to this PR.

~~- [ ] This was checked for cross-browser compatibility, [including a check against IE11]~~(https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#cross-browser-compatibility)
~~- [ ] 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/master/packages/kbn-i18n/README.md)~~
~~- [ ] [Documentation](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#writing-documentation) was added for features that require explanation or tutorials~~
~~- [ ] [Unit or functional tests](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#cross-browser-compatibility) were updated or added to match the most common scenarios~~
~~- [ ] This was checked for [keyboard-only and screenreader accessibility]~~(https://developer.mozilla.org/enUS/docs/Learn/Tools_and_testing/Cross_browser_testing/Accessibility#Accessibility_testing_checklist)~~

### For maintainers

- [x] This was checked for breaking API changes and was [labeled appropriately](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#release-notes-process)
- [x] This includes a feature addition or change that requires a release note and was [labeled appropriately](https://github.com/elastic/kibana/blob/master/CONTRIBUTING.md#release-notes-process)
---
 .../403_response_to_a_post.json               |  20 +-
 .../405_response_method_not_allowed.json      |  20 +-
 .../500_response_on_admin_page.json           |  20 --
 .../rules/prepackaged_rules/NOTICE.txt        |  20 ++
 ..._security_adversary_behavior_detected.json |  19 ++
 ...dpoint_security_cred_dumping_detected.json |  19 ++
 ...point_security_cred_dumping_prevented.json |  19 ++
 ...t_security_cred_manipulation_detected.json |  19 ++
 ..._security_cred_manipulation_prevented.json |  18 ++
 ...ic_endpoint_security_exploit_detected.json |  19 ++
 ...c_endpoint_security_exploit_prevented.json |  19 ++
 ...ic_endpoint_security_malware_detected.json |  19 ++
 ...c_endpoint_security_malware_prevented.json |  19 ++
 ...nt_security_permission_theft_detected.json |  19 ++
 ...t_security_permission_theft_prevented.json |  19 ++
 ...t_security_process_injection_detected.json |  19 ++
 ..._security_process_injection_prevented.json |  19 ++
 ...endpoint_security_ransomware_detected.json |  19 ++
 ...ndpoint_security_ransomware_prevented.json |  19 ++
 ...den_file_attribute_with_via_attribexe.json |  17 +-
 .../eql_adobe_hijack_persistence.json         |  13 +-
 .../eql_audio_capture_via_powershell.json     |  13 +-
 .../eql_audio_capture_via_soundrecorder.json  |  13 +-
 .../eql_bypass_uac_event_viewer.json          |  15 +-
 .../eql_bypass_uac_via_cmstp.json             |  17 +-
 .../eql_bypass_uac_via_sdclt.json             |  17 +-
 .../eql_clearing_windows_event_logs.json      |  13 +-
 ...delete_volume_usn_journal_with_fsutil.json |  17 +-
 ...deleting_backup_catalogs_with_wbadmin.json |  17 +-
 .../eql_direct_outbound_smb_connection.json   |  13 +-
 ...ble_windows_firewall_rules_with_netsh.json |  17 +-
 .../eql_dll_search_order_hijack.json          |  13 +-
 ...coding_or_decoding_files_via_certutil.json |  13 +-
 .../eql_local_scheduled_task_commands.json    |  16 +-
 .../eql_local_service_commands.json           |  13 +-
 ...ql_modification_of_boot_configuration.json |  15 +-
 ...ql_msbuild_making_network_connections.json |  13 +-
 .../eql_mshta_making_network_connections.json |  21 +-
 .../eql_msxsl_making_network_connections.json |  17 +-
 .../eql_psexec_lateral_movement_command.json  |  52 +++-
 ...ql_suspicious_ms_office_child_process.json |  13 +-
 ...l_suspicious_ms_outlook_child_process.json |  15 +-
 ...l_suspicious_pdf_reader_child_process.json |  15 +-
 .../eql_system_shells_via_services.json       |  13 +-
 ...usual_network_connection_via_rundll32.json |  15 +-
 .../eql_unusual_parentchild_relationship.json |  15 +-
 ...ql_unusual_process_network_connection.json |  13 +-
 .../eql_user_account_creation.json            |  13 +-
 ...eql_user_added_to_administrator_group.json |  13 +-
 ...ume_shadow_copy_deletion_via_vssadmin.json |  15 +-
 ..._volume_shadow_copy_deletion_via_wmic.json |  17 +-
 ...l_windows_script_executing_powershell.json |  15 +-
 .../eql_wmic_command_lateral_movement.json    |  18 +-
 .../rules/prepackaged_rules/index.ts          | 278 +++++++-----------
 .../linux_hping_activity.json                 |  18 +-
 .../linux_iodine_activity.json                |  20 +-
 .../linux_kernel_module_activity.json         |  12 +-
 .../linux_ldso_process_activity.json          |  16 +-
 .../linux_lzop_activity.json                  |  20 --
 .../linux_mknod_activity.json                 |  20 +-
 .../linux_netcat_network_connection.json      |  16 +-
 ...k_anomalous_process_using_https_ports.json |  20 --
 .../linux_nmap_activity.json                  |  20 +-
 .../linux_nping_activity.json                 |  18 +-
 ...nux_process_started_in_temp_directory.json |  14 +-
 .../linux_ptrace_activity.json                |  20 --
 .../linux_rawshark_activity.json              |  20 --
 .../linux_shell_activity_by_web_server.json   |  17 +-
 .../linux_socat_activity.json                 |  14 +-
 .../linux_ssh_forwarding.json                 |  19 +-
 .../linux_strace_activity.json                |  20 +-
 .../linux_tcpdump_activity.json               |  14 +-
 .../prepackaged_rules/linux_web_download.json |  20 --
 .../linux_whoami_commmand.json                |  16 +-
 .../network_dns_directly_to_the_internet.json |  15 +-
 ...fer_protocol_activity_to_the_internet.json |  17 +-
 ...hat_protocol_activity_to_the_internet.json |  17 +-
 .../network_nat_traversal_port_activity.json  |  11 +-
 .../network_port_26_activity.json             |  11 +-
 .../network_port_8000_activity.json           |  20 --
 ...rk_port_8000_activity_to_the_internet.json |  11 +-
 ..._to_point_tunneling_protocol_activity.json |  28 +-
 ...k_proxy_port_activity_to_the_internet.json |  13 +-
 ...te_desktop_protocol_from_the_internet.json |  49 ++-
 ...mote_desktop_protocol_to_the_internet.json |  19 +-
 ...mote_procedure_call_from_the_internet.json |  12 +-
 ...remote_procedure_call_to_the_internet.json |  14 +-
 ...file_sharing_activity_to_the_internet.json |  16 +-
 .../network_smtp_to_the_internet.json         |  15 +-
 ..._server_port_activity_to_the_internet.json |  30 +-
 ...rk_ssh_secure_shell_from_the_internet.json |  54 ++--
 ...work_ssh_secure_shell_to_the_internet.json |  13 +-
 .../network_telnet_port_activity.json         |  44 ++-
 .../network_tor_activity_to_the_internet.json |  30 +-
 ...l_network_computing_from_the_internet.json |  37 ++-
 ...ual_network_computing_to_the_internet.json |  21 +-
 .../prepackaged_rules/null_user_agent.json    |  24 +-
 .../prepackaged_rules/sqlmap_user_agent.json  |  20 +-
 ...rvice_bits_connecting_to_the_internet.json |  49 ++-
 .../windows_burp_ce_activity.json             |  20 --
 ...s_certutil_connecting_to_the_internet.json |  34 ++-
 ...and_prompt_connecting_to_the_internet.json |  52 +++-
 ...nd_shell_started_by_internet_explorer.json |  34 ++-
 ...s_command_shell_started_by_powershell.json |  49 ++-
 ...dows_command_shell_started_by_svchost.json |  34 ++-
 .../windows_credential_dumping_commands.json  |  20 --
 ...dows_credential_dumping_via_imageload.json |  20 --
 ..._credential_dumping_via_registry_save.json |  20 --
 ...ows_data_compression_using_powershell.json |  20 --
 ...fense_evasion_decoding_using_certutil.json |  20 --
 ...asion_or_persistence_via_hidden_files.json |  20 --
 ...ws_defense_evasion_via_filter_manager.json |  35 ++-
 ...e_evasion_via_windows_event_log_tools.json |  20 --
 ...dows_execution_via_compiled_html_file.json |  52 +++-
 ...dows_execution_via_connection_manager.json |  35 ++-
 ...on_via_microsoft_html_application_hta.json |  20 --
 ...dows_execution_via_net_com_assemblies.json |  38 ++-
 .../windows_execution_via_regsvr32.json       |  49 ++-
 ...ution_via_trusted_developer_utilities.json |  53 +++-
 ...le_program_connecting_to_the_internet.json |  49 ++-
 ...dows_image_load_from_a_temp_directory.json |  47 ---
 .../windows_indirect_command_execution.json   |  20 --
 .../windows_iodine_activity.json              |  20 --
 ...agement_instrumentation_wmi_execution.json |  20 --
 ...cation_hta_connecting_to_the_internet.json |  20 --
 .../windows_mimikatz_activity.json            |  20 --
 ...isc_lolbin_connecting_to_the_internet.json |  49 ++-
 ...ommand_activity_by_the_system_account.json |  34 ++-
 .../windows_net_user_command_activity.json    |  20 --
 .../windows_netcat_activity.json              |  20 --
 .../windows_netcat_network_activity.json      |  20 --
 ...ous_windows_process_using_https_ports.json |  20 --
 .../windows_nmap_activity.json                |  20 --
 .../windows_nmap_scan_activity.json           |  20 --
 ...dows_payload_obfuscation_via_certutil.json |  20 --
 ...stence_or_priv_escalation_via_hooking.json |  20 --
 ..._persistence_via_application_shimming.json |  50 +++-
 .../windows_persistence_via_bits_jobs.json    |  20 --
 ..._via_modification_of_existing_service.json |  20 --
 ...s_persistence_via_netshell_helper_dll.json |  20 --
 ...powershell_connecting_to_the_internet.json |  20 --
 ...escalation_via_accessibility_features.json |  50 +++-
 ...rocess_discovery_via_tasklist_command.json |  38 ++-
 .../windows_process_execution_via_wmi.json    |  37 ++-
 ...ed_by_acrobat_reader_possible_payload.json |  20 --
 ...by_ms_office_program_possible_payload.json |  20 --
 ...s_process_started_by_the_java_runtime.json |  20 --
 .../windows_psexec_activity.json              |  20 --
 ...er_program_connecting_to_the_internet.json |  52 +++-
 .../windows_registry_query_local.json         |  20 --
 .../windows_registry_query_network.json       |  20 --
 .../windows_remote_management_execution.json  |  20 --
 .../windows_scheduled_task_activity.json      |  20 --
 ...nterpreter_connecting_to_the_internet.json |  20 --
 ...windows_signed_binary_proxy_execution.json |  52 +++-
 ...igned_binary_proxy_execution_download.json |  52 +++-
 ...uspicious_process_started_by_a_script.json |  52 +++-
 .../windows_whoami_command_activity.json      |  37 ++-
 .../windows_windump_activity.json             |  20 --
 .../windows_wireshark_activity.json           |  20 --
 160 files changed, 2055 insertions(+), 1880 deletions(-)
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/500_response_on_admin_page.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/NOTICE.txt
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_adversary_behavior_detected.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_dumping_detected.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_dumping_prevented.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_manipulation_detected.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_manipulation_prevented.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_exploit_detected.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_exploit_prevented.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_malware_detected.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_malware_prevented.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_permission_theft_detected.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_permission_theft_prevented.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_process_injection_detected.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_process_injection_prevented.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_ransomware_detected.json
 create mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_ransomware_prevented.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_lzop_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_network_anomalous_process_using_https_ports.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ptrace_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_rawshark_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_web_download.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_8000_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_burp_ce_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_commands.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_via_imageload.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_via_registry_save.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_data_compression_using_powershell.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_decoding_using_certutil.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_or_persistence_via_hidden_files.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_via_windows_event_log_tools.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_microsoft_html_application_hta.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_image_load_from_a_temp_directory.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_indirect_command_execution.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_iodine_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_management_instrumentation_wmi_execution.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_microsoft_html_application_hta_connecting_to_the_internet.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_mimikatz_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_net_user_command_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_netcat_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_netcat_network_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_network_anomalous_windows_process_using_https_ports.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_nmap_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_nmap_scan_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_payload_obfuscation_via_certutil.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_or_priv_escalation_via_hooking.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_bits_jobs.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_modification_of_existing_service.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_netshell_helper_dll.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_powershell_connecting_to_the_internet.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_acrobat_reader_possible_payload.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_ms_office_program_possible_payload.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_the_java_runtime.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_psexec_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_registry_query_local.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_registry_query_network.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_remote_management_execution.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_scheduled_task_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_script_interpreter_connecting_to_the_internet.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_windump_activity.json
 delete mode 100644 x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_wireshark_activity.json

diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/403_response_to_a_post.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/403_response_to_a_post.json
index da0613e1f6fa7..c685d96cdf57b 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/403_response_to_a_post.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/403_response_to_a_post.json
@@ -4,22 +4,22 @@
     "Security scans and tests may result in these errors. Misconfigured or buggy applications may produce large numbers of these errors. If the source is unexpected, or the user is unauthorized, or the request is unusual, these may be suspicious or malicious activity."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "apm-*-transaction*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Web Application Suspicious Activity: POST Request Declined",
   "query": "http.response.status_code:403 and http.request.method:post",
-  "references": ["https://en.wikipedia.org/wiki/HTTP_403"],
-  "risk_score": 50,
+  "references": [
+    "https://en.wikipedia.org/wiki/HTTP_403"
+  ],
+  "risk_score": 47,
   "rule_id": "a87a4e42-1d82-44bd-b0bf-d9b7f91fb89e",
-  "severity": "low",
-  "tags": ["Elastic", "apm"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "APM"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/405_response_method_not_allowed.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/405_response_method_not_allowed.json
index b0edfb25e9392..64264452d468b 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/405_response_method_not_allowed.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/405_response_method_not_allowed.json
@@ -4,22 +4,22 @@
     "Security scans and tests may result in these errors. Misconfigured or buggy applications may produce large numbers of these errors. If the source is unexpected, or the user is unauthorized, or the request is unusual, these may be suspicious or malicious activity."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "apm-*-transaction*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Web Application Suspicious Activity: Unauthorized Method",
   "query": "http.response.status_code:405",
-  "references": ["https://en.wikipedia.org/wiki/HTTP_405"],
-  "risk_score": 50,
+  "references": [
+    "https://en.wikipedia.org/wiki/HTTP_405"
+  ],
+  "risk_score": 47,
   "rule_id": "75ee75d8-c180-481c-ba88-ee50129a6aef",
-  "severity": "low",
-  "tags": ["Elastic", "apm"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "APM"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/500_response_on_admin_page.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/500_response_on_admin_page.json
deleted file mode 100644
index 3b4bcbe670921..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/500_response_on_admin_page.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "500 Response on Admin page",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "500 Response on Admin page",
-  "query": "url.path:\"/admin/\" and http.response.status_code:500",
-  "risk_score": 50,
-  "rule_id": "054f669c-b065-492e-acd9-15e44fc42380",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/NOTICE.txt b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/NOTICE.txt
new file mode 100644
index 0000000000000..cd5f1cc6f886c
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/NOTICE.txt
@@ -0,0 +1,20 @@
+This product bundles rules based on https://github.com/BlueTeamLabs/sentinel-attack
+which is available under a "MIT" license. The files based on this license are:
+
+- windows_defense_evasion_via_filter_manager.json
+- windows_process_discovery_via_tasklist_command.json
+- windows_priv_escalation_via_accessibility_features.json
+- windows_persistence_via_application_shimming.json
+- windows_execution_via_trusted_developer_utilities.json
+- windows_execution_via_net_com_assemblies.json
+- windows_execution_via_connection_manager.json
+
+MIT License
+
+Copyright (c) 2019 Edoardo Gerosa, Olaf Hartong
+
+Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_adversary_behavior_detected.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_adversary_behavior_detected.json
new file mode 100644
index 0000000000000..56d142fdf3ef8
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_adversary_behavior_detected.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Adversary behavior detected.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Adversary Behavior - Detected - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:rules_engine_event",
+  "risk_score": 47,
+  "rule_id": "77a3c3df-8ec4-4da4-b758-878f551dee69",
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_dumping_detected.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_dumping_detected.json
new file mode 100644
index 0000000000000..6805696ce6bc9
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_dumping_detected.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Credential dumping detected.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Cred Dumping - Detected - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:cred_theft_event and endgame.metadata.type:detection",
+  "risk_score": 73,
+  "rule_id": "571afc56-5ed9-465d-a2a9-045f099f6e7e",
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_dumping_prevented.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_dumping_prevented.json
new file mode 100644
index 0000000000000..68c0f5cad8252
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_dumping_prevented.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Credential dumping prevented.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Cred Dumping - Prevented - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:cred_theft_event and endgame.metadata.type:prevention",
+  "risk_score": 47,
+  "rule_id": "db8c33a8-03cd-4988-9e2c-d0a4863adb13",
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_manipulation_detected.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_manipulation_detected.json
new file mode 100644
index 0000000000000..0d0d9c71a2ec1
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_manipulation_detected.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Credential manipulation detected.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Cred Manipulation - Detected - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:token_manipulation_event and endgame.metadata.type:detection",
+  "risk_score": 73,
+  "rule_id": "c0be5f31-e180-48ed-aa08-96b36899d48f",
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_manipulation_prevented.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_manipulation_prevented.json
new file mode 100644
index 0000000000000..df49c80e3097b
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_cred_manipulation_prevented.json
@@ -0,0 +1,18 @@
+{
+  "description": "Elastic Endpoint Security Alert - Credential manipulation prevented.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Cred Manipulation - Prevented - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:token_manipulation_event and endgame.metadata.type:prevention",
+  "risk_score": 47,
+  "rule_id": "c9e38e64-3f4c-4bf3-ad48-0e61a60ea1fa",
+  "severity": "medium",
+  "tags": [
+    "Elastic"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_exploit_detected.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_exploit_detected.json
new file mode 100644
index 0000000000000..9c3896a70b3a0
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_exploit_detected.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Exploit detected.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Exploit - Detected - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:exploit_event and endgame.metadata.type:detection",
+  "risk_score": 73,
+  "rule_id": "2003cdc8-8d83-4aa5-b132-1f9a8eb48514",
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_exploit_prevented.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_exploit_prevented.json
new file mode 100644
index 0000000000000..4632ae6a1487b
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_exploit_prevented.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Exploit prevented.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Exploit - Prevented - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:exploit_event and endgame.metadata.type:prevention",
+  "risk_score": 47,
+  "rule_id": "2863ffeb-bf77-44dd-b7a5-93ef94b72036",
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_malware_detected.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_malware_detected.json
new file mode 100644
index 0000000000000..68831392942d4
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_malware_detected.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Malware detected.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Malware - Detected - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:file_classification_event and endgame.metadata.type:detection",
+  "risk_score": 99,
+  "rule_id": "0a97b20f-4144-49ea-be32-b540ecc445de",
+  "severity": "critical",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_malware_prevented.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_malware_prevented.json
new file mode 100644
index 0000000000000..56b41df2a3349
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_malware_prevented.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Malware prevented.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Malware - Prevented - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:file_classification_event and endgame.metadata.type:prevention",
+  "risk_score": 73,
+  "rule_id": "3b382770-efbb-44f4-beed-f5e0a051b895",
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_permission_theft_detected.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_permission_theft_detected.json
new file mode 100644
index 0000000000000..268dc9cf89121
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_permission_theft_detected.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Permission theft detected.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Permission Theft - Detected - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:token_protection_event and endgame.metadata.type:detection",
+  "risk_score": 73,
+  "rule_id": "c3167e1b-f73c-41be-b60b-87f4df707fe3",
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_permission_theft_prevented.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_permission_theft_prevented.json
new file mode 100644
index 0000000000000..6deda3d0453b2
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_permission_theft_prevented.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Permission theft prevented.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Permission Theft - Prevented - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:token_protection_event and endgame.metadata.type:prevention",
+  "risk_score": 47,
+  "rule_id": "453f659e-0429-40b1-bfdb-b6957286e04b",
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_process_injection_detected.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_process_injection_detected.json
new file mode 100644
index 0000000000000..25a03e611fe3e
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_process_injection_detected.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Process injection detected.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Process Injection - Detected - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:kernel_shellcode_event and endgame.metadata.type:detection",
+  "risk_score": 73,
+  "rule_id": "80c52164-c82a-402c-9964-852533d58be1",
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_process_injection_prevented.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_process_injection_prevented.json
new file mode 100644
index 0000000000000..6c549d70a9d41
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_process_injection_prevented.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Process injection prevented.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Process Injection - Prevented - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:kernel_shellcode_event and endgame.metadata.type:prevention",
+  "risk_score": 47,
+  "rule_id": "990838aa-a953-4f3e-b3cb-6ddf7584de9e",
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_ransomware_detected.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_ransomware_detected.json
new file mode 100644
index 0000000000000..4a118cf8ab861
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_ransomware_detected.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Ransomware detected.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Ransomware - Detected - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:ransomware_event and endgame.metadata.type:detection",
+  "risk_score": 99,
+  "rule_id": "8cb4f625-7743-4dfb-ae1b-ad92be9df7bd",
+  "severity": "critical",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_ransomware_prevented.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_ransomware_prevented.json
new file mode 100644
index 0000000000000..8b48e8f4c1758
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/elastic_endpoint_security_ransomware_prevented.json
@@ -0,0 +1,19 @@
+{
+  "description": "Elastic Endpoint Security Alert - Ransomware prevented.",
+  "index": [
+    "endgame-*"
+  ],
+  "language": "kuery",
+  "max_signals": 33,
+  "name": "Ransomware - Prevented - Elastic Endpoint",
+  "query": "event.kind:alert and event.module:endgame and event.action:ransomware_event and endgame.metadata.type:prevention",
+  "risk_score": 73,
+  "rule_id": "e3c5d5cb-41d5-4206-805c-f30561eae3ac",
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "Endpoint"
+  ],
+  "type": "query",
+  "version": 1
+}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_adding_the_hidden_file_attribute_with_via_attribexe.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_adding_the_hidden_file_attribute_with_via_attribexe.json
index 6843f622bee8f..374691f670b74 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_adding_the_hidden_file_attribute_with_via_attribexe.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_adding_the_hidden_file_attribute_with_via_attribexe.json
@@ -1,20 +1,19 @@
 {
   "description": "Adversaries can add the 'hidden' attribute to files to hide them from the user in an attempt to evade detection",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Adding the Hidden File Attribute with via attrib.exe",
-  "query": "event.action:\"Process Create (rule: ProcessCreate)\" and process.name:\"attrib.exe\" and process.args:\"+h\"",
-  "risk_score": 25,
+  "max_signals": 33,
+  "name": "Adding Hidden File Attribute via Attrib",
+  "query": "    event.action:\"Process Create (rule: ProcessCreate)\" and process.name:\"attrib.exe\" and process.args:\"+h\"",
+  "risk_score": 21,
   "rule_id": "4630d948-40d4-4cef-ac69-4002e29bc3db",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_adobe_hijack_persistence.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_adobe_hijack_persistence.json
index fcc105f2447e8..47f171dd7be0e 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_adobe_hijack_persistence.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_adobe_hijack_persistence.json
@@ -1,20 +1,19 @@
 {
   "description": "Detects writing executable files that will be automatically launched by Adobe on launch.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Adobe Hijack Persistence",
   "query": "file.path:(\"C:\\Program Files (x86)\\Adobe\\Acrobat Reader DC\\Reader\\AcroCEF\\RdrCEF.exe\" or \"C:\\Program Files\\Adobe\\Acrobat Reader DC\\Reader\\AcroCEF\\RdrCEF.exe\") and event.action:\"File created (rule: FileCreate)\" and not process.name:msiexeec.exe",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "2bf78aa2-9c56-48de-b139-f169bf99cf86",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_audio_capture_via_powershell.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_audio_capture_via_powershell.json
index feaa8451754a5..7ec960eea6302 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_audio_capture_via_powershell.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_audio_capture_via_powershell.json
@@ -1,20 +1,19 @@
 {
   "description": "An adversary can leverage a computer's peripheral devices or applications to capture audio recordings for the purpose of listening into sensitive conversations to gather information.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Audio Capture via PowerShell",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and process.name:\"powershell.exe\" and process.args:\"WindowsAudioDevice-Powershell-Cmdlet\"",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "b27b9f47-0a20-4807-8377-7f899b4fbada",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_audio_capture_via_soundrecorder.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_audio_capture_via_soundrecorder.json
index 0365616e86faf..87bdfc4980124 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_audio_capture_via_soundrecorder.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_audio_capture_via_soundrecorder.json
@@ -1,20 +1,19 @@
 {
   "description": "An adversary can leverage a computer's peripheral devices or applications to capture audio recordings for the purpose of listening into sensitive conversations to gather information.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Audio Capture via SoundRecorder",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and process.name:\"SoundRecorder.exe\" and process.args:\"/FILE\"",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "f8e06892-ed10-4452-892e-2c5a38d552f1",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_event_viewer.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_event_viewer.json
index e3d57d2b05503..2fa63fa51f7c1 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_event_viewer.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_event_viewer.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies User Account Control (UAC) bypass via eventvwr.  Attackers bypass UAC to stealthily execute code with elevated permissions.",
+  "description": "Identifies User Account Control (UAC) bypass via eventvwr.exe.  Attackers bypass UAC to stealthily execute code with elevated permissions.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Bypass UAC via Event Viewer",
   "query": "process.parent.name:eventvwr.exe and event.action:\"Process Create (rule: ProcessCreate)\" and not process.executable:(\"C:\\Windows\\System32\\mmc.exe\" or \"C:\\Windows\\SysWOW64\\mmc.exe\")",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "59547add-a400-4baa-aa0c-66c72efdb77f",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_via_cmstp.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_via_cmstp.json
index 0d9346a7e1f88..fdc716dcb3ebe 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_via_cmstp.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_via_cmstp.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies User Account Control (UAC) bypass via cmstp.  Attackers bypass UAC to stealthily execute code with elevated permissions.",
+  "description": "Identifies User Account Control (UAC) bypass via cmstp.exe.  Attackers bypass UAC to stealthily execute code with elevated permissions.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Bypass UAC via CMSTP",
+  "max_signals": 33,
+  "name": "Bypass UAC via Cmstp",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and process.parent.name:\"cmstp.exe\" and process.parent.args:(\"/s\" and \"/au\")",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "2f7403da-1a4c-46bb-8ecc-c1a596e10cd0",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_via_sdclt.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_via_sdclt.json
index 3e99f1be6bf2e..484a01e0211ab 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_via_sdclt.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_bypass_uac_via_sdclt.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies User Account Control (UAC) bypass via cmstp.  Attackers bypass UAC to stealthily execute code with elevated permissions.",
+  "description": "Identifies User Account Control (UAC) bypass via sdclt.exe.  Attackers bypass UAC to stealthily execute code with elevated permissions.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Bypass UAC via SDCLT",
+  "max_signals": 33,
+  "name": "Bypass UAC via Sdclt",
   "query": " event.action:\"Process Create (rule: ProcessCreate)\" and process.name:\"sdclt.exe\" and process.args:\"/kickoffelev\" and not process.executable:(\"C:\\Windows\\System32\\sdclt.exe\" or \"C:\\Windows\\System32\\control.exe\" or \"C:\\Windows\\SysWOW64\\sdclt.exe\" or \"C:\\Windows\\SysWOW64\\control.exe\")",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "f68d83a1-24cb-4b8d-825b-e8af400b9670",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_clearing_windows_event_logs.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_clearing_windows_event_logs.json
index 9d8d3bab1ace7..e9729ff102619 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_clearing_windows_event_logs.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_clearing_windows_event_logs.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies attempts to clear Windows event log stores. This is often done by attackers in an attempt evade detection or destroy forensic evidence on a system.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Clearing Windows Event Logs",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and (process.name:\"wevtutil.exe\" and process.args:\"cl\") or (process.name:\"powershell.exe\" and process.args:\"Clear-EventLog\")",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "d331bbe2-6db4-4941-80a5-8270db72eb61",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_delete_volume_usn_journal_with_fsutil.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_delete_volume_usn_journal_with_fsutil.json
index e69de058960d4..479bb4a2a6d7c 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_delete_volume_usn_journal_with_fsutil.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_delete_volume_usn_journal_with_fsutil.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies use of the fsutil command to delete the volume USNJRNL. This technique is used by attackers to eliminate evidence of files created during post-exploitation activities.",
+  "description": "Identifies use of the fsutil.exe to delete the volume USNJRNL. This technique is used by attackers to eliminate evidence of files created during post-exploitation activities.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Delete Volume USN Journal with fsutil",
+  "max_signals": 33,
+  "name": "Delete Volume USN Journal with Fsutil",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\"  and   process.name:\"fsutil.exe\" and    process.args:(\"usn\" and \"deletejournal\")",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "f675872f-6d85-40a3-b502-c0d2ef101e92",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_deleting_backup_catalogs_with_wbadmin.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_deleting_backup_catalogs_with_wbadmin.json
index cbf51ffb7c20b..204925e4b677b 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_deleting_backup_catalogs_with_wbadmin.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_deleting_backup_catalogs_with_wbadmin.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies use of the wbadmin command to delete the backup catalog. Ransomware and other malware may do this to prevent system recovery.",
+  "description": "Identifies use of the wbadmin.exe to delete the backup catalog. Ransomware and other malware may do this to prevent system recovery.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Deleting Backup Catalogs with wbadmin",
+  "max_signals": 33,
+  "name": "Deleting Backup Catalogs with Wbadmin",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\"  and process.name:\"wbadmin.exe\" and  process.args:(\"delete\" and \"catalog\")",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "581add16-df76-42bb-af8e-c979bfb39a59",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_direct_outbound_smb_connection.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_direct_outbound_smb_connection.json
index 5e8321c6777aa..b6398a9985e7e 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_direct_outbound_smb_connection.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_direct_outbound_smb_connection.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies unexpected processes making network connections over port 445. Windows File Sharing is typically implemented over Server Message Block (SMB), which communicates between hosts using port 445. When legitimate, these network connections are established by the kernel. Processes making 445/tcp connections may be port scanners, exploits, or suspicious user-level processes moving laterally.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Direct Outbound SMB Connection",
   "query": " event.action:\"Network connection detected (rule: NetworkConnect)\" and destination.port:445 and   not process.pid:4 and not destination.ip:(\"127.0.0.1\" or \"::1\")",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "c82c7d8f-fb9e-4874-a4bd-fd9e3f9becf1",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_disable_windows_firewall_rules_with_netsh.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_disable_windows_firewall_rules_with_netsh.json
index c9510913a151f..32b43cc24e91b 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_disable_windows_firewall_rules_with_netsh.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_disable_windows_firewall_rules_with_netsh.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies use of the netsh command to disable or weaken the local firewall. Attackers will use this command line tool to disable the firewall during troubleshooting or to enable network mobility.",
+  "description": "Identifies use of the netsh.exe to disable or weaken the local firewall. Attackers will use this command line tool to disable the firewall during troubleshooting or to enable network mobility.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Disable Windows Firewall Rules with Netsh",
+  "max_signals": 33,
+  "name": "Disable Windows Firewall Rules via Netsh",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and process.name:\"netsh.exe\" and process.args:(\"firewall\" and \"set\" and \"disable\") or process.args:(\"advfirewall\" and \"state\" and \"off\")",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "4b438734-3793-4fda-bd42-ceeada0be8f9",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_dll_search_order_hijack.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_dll_search_order_hijack.json
index 214ddfaf0feec..5740453b6ae6d 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_dll_search_order_hijack.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_dll_search_order_hijack.json
@@ -1,20 +1,19 @@
 {
   "description": "Detects writing DLL files to known locations associated with Windows files vulnerable to DLL search order hijacking.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "DLL Search Order Hijack",
   "query": " event.action:\"File created (rule: FileCreate)\"  and    not winlog.user.identifier:(\"S-1-5-18\" or \"S-1-5-19\" or \"S-1-5-20\") and    file.path:(\"C\\Windows\\ehome\\cryptbase.dll\" or               \"C\\Windows\\System32\\Sysprep\\cryptbase.dll\" or               \"C\\Windows\\System32\\Sysprep\\cryptsp.dll\" or               \"C\\Windows\\System32\\Sysprep\\rpcrtremote.dll\" or               \"C\\Windows\\System32\\Sysprep\\uxtheme.dll\" or               \"C\\Windows\\System32\\Sysprep\\dwmapi.dll\" or               \"C\\Windows\\System32\\Sysprep\\shcore.dll\" or               \"C\\Windows\\System32\\Sysprep\\oleacc.dll\" or               \"C\\Windows\\System32\\ntwdblib.dll\") ",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "73fbc44c-c3cd-48a8-a473-f4eb2065c716",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_encoding_or_decoding_files_via_certutil.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_encoding_or_decoding_files_via_certutil.json
index e531a2d05a97e..37e1c26885a15 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_encoding_or_decoding_files_via_certutil.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_encoding_or_decoding_files_via_certutil.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies the use of certutil.exe to encode or decode data. CertUtil is a native Windows component which is part of Certificate Services. CertUtil is often abused by attackers to encode or decode base64 data for stealthier command and control or exfiltration.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Encoding or Decoding Files via CertUtil",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and    process.name:\"certutil.exe\" and    process.args:(\"-encode\" or \"/encode\" or \"-decode\" or \"/decode\")",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "fd70c98a-c410-42dc-a2e3-761c71848acf",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_local_scheduled_task_commands.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_local_scheduled_task_commands.json
index 426d32b9b1e48..dc4991f86a0f5 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_local_scheduled_task_commands.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_local_scheduled_task_commands.json
@@ -1,20 +1,22 @@
 {
   "description": "A scheduled task can be used by an adversary to establish persistence, move laterally, and/or escalate privileges.",
+  "false_positives": [
+    "Legitimate scheduled tasks may be created during installation of new software."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Local Scheduled Task Commands",
   "query": " event.action:\"Process Create (rule: ProcessCreate)\" and process.name:schtasks.exe and process.args:(\"/create\" or \"-create\" or \"/S\" or \"-s\" or \"/run\" or \"-run\" or \"/change\" or \"-change\")",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "afcce5ad-65de-4ed2-8516-5e093d3ac99a",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_local_service_commands.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_local_service_commands.json
index 71f94ecf91788..eb6f2377376f2 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_local_service_commands.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_local_service_commands.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies use of sc.exe to create, modify, or start services on remote hosts. This could be indicative of adversary lateral movement but will be noisy if commonly done by admins.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Local Service Commands",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and  process.name:sc.exe and process.args:(\"create\" or \"config\" or \"failure\" or \"start\")",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "e8571d5f-bea1-46c2-9f56-998de2d3ed95",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_modification_of_boot_configuration.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_modification_of_boot_configuration.json
index 162dfe717df55..26bd65b897c63 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_modification_of_boot_configuration.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_modification_of_boot_configuration.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies use of the bcdedit command to delete boot configuration data. This tactic is sometimes used as by malware or an attacker as a destructive technique.",
+  "description": "Identifies use of bcdedit.exe to delete boot configuration data. This tactic is sometimes used as by malware or an attacker as a destructive technique.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Modification of Boot Configuration",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and   process.name:\"bcdedit.exe\" and    process.args:\"set\" and    process.args:(     (\"bootstatuspolicy\" and \"ignoreallfailures\") or      (\"recoveryenabled\" and \"no\")   ) ",
-  "risk_score": 75,
+  "risk_score": 73,
   "rule_id": "b9ab2f7f-f719-4417-9599-e0252fffe2d8",
   "severity": "high",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_msbuild_making_network_connections.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_msbuild_making_network_connections.json
index 296f6f0862374..d40ffed523c6a 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_msbuild_making_network_connections.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_msbuild_making_network_connections.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies MsBuild.exe making outbound network connections. This may indicate adversarial activity as MsBuild is often leveraged by adversaries to execute code and evade detection.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "MsBuild Making Network Connections",
   "query": " event.action:\"Network connection detected (rule: NetworkConnect)\" and process.name:msbuild.exe and not destination.ip:(\"127.0.0.1\" or \"::1\")",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "0e79980b-4250-4a50-a509-69294c14e84b",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_mshta_making_network_connections.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_mshta_making_network_connections.json
index 18c9e286c99ef..7905d80c6e8c2 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_mshta_making_network_connections.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_mshta_making_network_connections.json
@@ -1,21 +1,22 @@
 {
-  "description": "Identifies Mshta.exe making outbound network connections. This may indicate adversarial activity as Mshta is often leveraged by adversaries to execute malicious scripts and evade detection.",
+  "description": "Identifies mshta.exe making a network connection. This may indicate adversarial activity as mshta.exe is often leveraged by adversaries to execute malicious scripts and evade detection.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Mshta Making Network Connections",
+  "max_signals": 33,
+  "name": "Network Connection via Mshta",
   "query": "event.action:\"Network connection detected (rule: NetworkConnect)\" and process.name:\"mshta.exe\" and not process.name:\"mshta.exe\"",
-  "references": ["https://www.fireeye.com/blog/threat-research/2017/05/cyber-espionage-apt32.html"],
-  "risk_score": 50,
+  "references": [
+    "https://www.fireeye.com/blog/threat-research/2017/05/cyber-espionage-apt32.html"
+  ],
+  "risk_score": 47,
   "rule_id": "a4ec1382-4557-452b-89ba-e413b22ed4b8",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_msxsl_making_network_connections.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_msxsl_making_network_connections.json
index b21b17cd89abf..16ef15589f48f 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_msxsl_making_network_connections.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_msxsl_making_network_connections.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies MsXsl.exe making outbound network connections. This may indicate adversarial activity as MsXsl is often leveraged by adversaries to execute malicious scripts and evade detection.",
+  "description": "Identifies msxsl.exe making a network connection. This may indicate adversarial activity as msxsl.exe is often leveraged by adversaries to execute malicious scripts and evade detection.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "MsXsl Making Network Connections",
+  "max_signals": 33,
+  "name": "Network Connection via MsXsl",
   "query": "process.name:msxsl.exe and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "d7351b03-135d-43ba-8b36-cc9b07854525",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_psexec_lateral_movement_command.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_psexec_lateral_movement_command.json
index 3e04dd4be292b..fd210005118b8 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_psexec_lateral_movement_command.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_psexec_lateral_movement_command.json
@@ -1,20 +1,54 @@
 {
-  "description": "Identifies use of the SysInternals tool PsExec to execute commands on a remote host. This is an indication of lateral movement and may detect adversaries.",
+  "description": "Identifies use of the SysInternals tool PsExec.exe making a network connection. This could be an indication of lateral movement.",
+  "false_positives": [
+    "PsExec is a dual-use tool that can be used for benign or malicious activity. It's important to baseline your environment to determine the amount of noise to expect from this tool."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "PsExec Lateral Movement Command",
+  "max_signals": 33,
+  "name": "PsExec Network Connection",
   "query": "process.name:psexec.exe and event.action:\"Network connection detected (rule: NetworkConnect)\" ",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "55d551c6-333b-4665-ab7e-5d14a59715ce",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1035",
+          "name": "Service Execution",
+          "reference": "https://attack.mitre.org/techniques/T1035/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0008",
+        "name": "Lateral Movement",
+        "reference": "https://attack.mitre.org/tactics/TA0008/"
+      },
+      "technique": [
+        {
+          "id": "T1035",
+          "name": "Service Execution",
+          "reference": "https://attack.mitre.org/techniques/T1035/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_ms_office_child_process.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_ms_office_child_process.json
index ac66af50ecd1d..a5d71e23a1215 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_ms_office_child_process.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_ms_office_child_process.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies suspicious child processes of frequently targeted Microsoft Office applications (Word, PowerPoint, Excel). These child processes are often launched during exploitation of Office applications or from documents with malicious macros.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Suspicious MS Office Child Process",
   "query": " event.action:\"Process Create (rule: ProcessCreate)\" and    process.parent.name:(\"winword.exe\" or \"excel.exe\" or \"powerpnt.exe\" or \"eqnedt32.exe\" or \"fltldr.exe\" or \"mspub.exe\" or \"msaccess.exe\") and process.name:(\"arp.exe\" or \"dsquery.exe\" or \"dsget.exe\" or \"gpresult.exe\" or \"hostname.exe\" or \"ipconfig.exe\" or \"nbtstat.exe\" or \"net.exe\" or \"net1.exe\" or \"netsh.exe\" or \"netstat.exe\" or \"nltest.exe\" or \"ping.exe\" or \"qprocess.exe\" or \"quser.exe\" or \"qwinsta.exe\" or \"reg.exe\" or \"sc.exe\" or \"systeminfo.exe\" or \"tasklist.exe\" or \"tracert.exe\" or \"whoami.exe\" or \"bginfo.exe\" or \"cdb.exe\" or \"cmstp.exe\" or \"csi.exe\" or \"dnx.exe\" or \"fsi.exe\" or \"ieexec.exe\" or \"iexpress.exe\" or \"installutil.exe\" or \"Microsoft.Workflow.Compiler.exe\" or \"msbuild.exe\" or \"mshta.exe\" or \"msxsl.exe\" or \"odbcconf.exe\" or \"rcsi.exe\" or \"regsvr32.exe\" or \"xwizard.exe\" or \"atbroker.exe\" or \"forfiles.exe\" or \"schtasks.exe\" or \"regasm.exe\" or \"regsvcs.exe\" or \"cmd.exe\" or \"cscript.exe\" or \"powershell.exe\" or \"pwsh.exe\" or \"wmic.exe\" or \"wscript.exe\" or \"bitsadmin.exe\" or \"certutil.exe\" or \"ftp.exe\") ",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "a624863f-a70d-417f-a7d2-7a404638d47f",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_ms_outlook_child_process.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_ms_outlook_child_process.json
index 928144f0ecf0c..86716d6608049 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_ms_outlook_child_process.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_ms_outlook_child_process.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies suspicious child processes of Microsoft Outlook. These child processes are often associated with spear phishing activity.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Suspicious MS Outlook Child Process",
-  "query": "event.action:\"Process Create (rule: ProcessCreate)\" and  process.parent.name:\"outlook.exe\" and    process.name:(\"arp.exe\" or \"dsquery.exe\" or \"dsget.exe\" or \"gpresult.exe\" or \"hostname.exe\" or \"ipconfig.exe\" or \"nbtstat.exe\" or \"net.exe\" or \"net1.exe\" or \"netsh.exe\" or \"netstat.exe\" or \"nltest.exe\" or \"ping.exe\" or \"qprocess.exe\" or \"quser.exe\" or \"qwinsta.exe\" or \"reg.exe\" or \"sc.exe\" or \"systeminfo.exe\" or \"tasklist.exe\" or \"tracert.exe\" or \"whoami.exe\" or \"bginfo.exe\" or \"cdb.exe\" or \"cmstp.exe\" or \"csi.exe\" or \"dnx.exe\" or \"fsi.exe\" or \"ieexec.exe\" or \"iexpress.exe\" or \"installutil.exe\" or \"Microsoft.Workflow.Compiler.exe\" or \"msbuild.exe\" or \"mshta.exe\" or \"msxsl.exe\" or \"odbcconf.exe\" or \"rcsi.exe\" or \"regsvr32.exe\" or \"xwizard.exe\" or \"atbroker.exe\" or \"forfiles.exe\" or \"schtasks.exe\" or \"regasm.exe\" or \"regsvcs.exe\" or \"cmd.exe\" or \"cscript.exe\" or \"powershell.exe\" or \"pwsh.exe\" or \"wmic.exe\" or \"wscript.exe\" or \"bitsadmin.exe\" or \"certutil.exe\" or \"ftp.exe\") ",
-  "risk_score": 25,
+  "query": "  event.action:\"Process Create (rule: ProcessCreate)\" and  process.parent.name:\"outlook.exe\" and    process.name:(\"arp.exe\" or \"dsquery.exe\" or \"dsget.exe\" or \"gpresult.exe\" or \"hostname.exe\" or \"ipconfig.exe\" or \"nbtstat.exe\" or \"net.exe\" or \"net1.exe\" or \"netsh.exe\" or \"netstat.exe\" or \"nltest.exe\" or \"ping.exe\" or \"qprocess.exe\" or \"quser.exe\" or \"qwinsta.exe\" or \"reg.exe\" or \"sc.exe\" or \"systeminfo.exe\" or \"tasklist.exe\" or \"tracert.exe\" or \"whoami.exe\" or \"bginfo.exe\" or \"cdb.exe\" or \"cmstp.exe\" or \"csi.exe\" or \"dnx.exe\" or \"fsi.exe\" or \"ieexec.exe\" or \"iexpress.exe\" or \"installutil.exe\" or \"Microsoft.Workflow.Compiler.exe\" or \"msbuild.exe\" or \"mshta.exe\" or \"msxsl.exe\" or \"odbcconf.exe\" or \"rcsi.exe\" or \"regsvr32.exe\" or \"xwizard.exe\" or \"atbroker.exe\" or \"forfiles.exe\" or \"schtasks.exe\" or \"regasm.exe\" or \"regsvcs.exe\" or \"cmd.exe\" or \"cscript.exe\" or \"powershell.exe\" or \"pwsh.exe\" or \"wmic.exe\" or \"wscript.exe\" or \"bitsadmin.exe\" or \"certutil.exe\" or \"ftp.exe\") ",
+  "risk_score": 21,
   "rule_id": "32f4675e-6c49-4ace-80f9-97c9259dca2e",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_pdf_reader_child_process.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_pdf_reader_child_process.json
index 160da5b899042..b0fbccf1b67a7 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_pdf_reader_child_process.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_suspicious_pdf_reader_child_process.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies suspicious child processes of PDF reader applications. These child processes are often launched via exploitation of PDF applications or social engineering.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "EQL - Suspicious PDF Reader Child Process",
+  "max_signals": 33,
+  "name": "Suspicious PDF Reader Child Process",
   "query": " event.action:\"Process Create (rule: ProcessCreate)\" and process.parent.name:(\"acrord32.exe\" or \"rdrcef.exe\" or \"foxitphantomPDF.exe\" or \"foxitreader.exe\") and    process.name:(\"arp.exe\" or \"dsquery.exe\" or \"dsget.exe\" or \"gpresult.exe\" or \"hostname.exe\" or \"ipconfig.exe\" or \"nbtstat.exe\" or \"net.exe\" or \"net1.exe\" or \"netsh.exe\" or \"netstat.exe\" or \"nltest.exe\" or \"ping.exe\" or \"qprocess.exe\" or \"quser.exe\" or \"qwinsta.exe\" or \"reg.exe\" or \"sc.exe\" or \"systeminfo.exe\" or \"tasklist.exe\" or \"tracert.exe\" or \"whoami.exe\" or \"bginfo.exe\" or \"cdb.exe\" or \"cmstp.exe\" or \"csi.exe\" or \"dnx.exe\" or \"fsi.exe\" or \"ieexec.exe\" or \"iexpress.exe\" or \"installutil.exe\" or \"Microsoft.Workflow.Compiler.exe\" or \"msbuild.exe\" or \"mshta.exe\" or \"msxsl.exe\" or \"odbcconf.exe\" or \"rcsi.exe\" or \"regsvr32.exe\" or \"xwizard.exe\" or \"atbroker.exe\" or \"forfiles.exe\" or \"schtasks.exe\" or \"regasm.exe\" or \"regsvcs.exe\" or \"cmd.exe\" or \"cscript.exe\" or \"powershell.exe\" or \"pwsh.exe\" or \"wmic.exe\" or \"wscript.exe\" or \"bitsadmin.exe\" or \"certutil.exe\" or \"ftp.exe\") ",
-  "risk_score": 75,
+  "risk_score": 73,
   "rule_id": "afcac7b1-d092-43ff-a136-aa7accbda38f",
   "severity": "high",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_system_shells_via_services.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_system_shells_via_services.json
index 268e8110c508d..984b522596c1e 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_system_shells_via_services.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_system_shells_via_services.json
@@ -1,20 +1,19 @@
 {
   "description": "Windows services typically run as SYSTEM and can be used as a privilege escalation opportunity. Malware or penetration testers may run a shell as a service to gain SYSTEM permissions.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "System Shells via Services",
   "query": " event.action:\"Process Create (rule: ProcessCreate)\" and    process.parent.name:\"services.exe\" and    process.name:(\"cmd.exe\" or \"powershell.exe\")",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "0022d47d-39c7-4f69-a232-4fe9dc7a3acd",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_network_connection_via_rundll32.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_network_connection_via_rundll32.json
index 7332cc7710347..03b9bebb655c3 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_network_connection_via_rundll32.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_network_connection_via_rundll32.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies unusual instances of Rundll32.exe making outbound network connections. This may indicate adversarial activity and may identify malicious DLLs.",
+  "description": "Identifies unusual instances of rundll32.exe making outbound network connections. This may indicate adversarial activity and may identify malicious DLLs.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Unusual Network Connection via RunDLL32",
   "query": "process.name:rundll32.exe and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "52aaab7b-b51c-441a-89ce-4387b3aea886",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_parentchild_relationship.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_parentchild_relationship.json
index d13d23a9354f7..72eb17863e0d3 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_parentchild_relationship.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_parentchild_relationship.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies Windows programs run from unexpected parent processes. This could indicate masquerading or other strange activity on a system.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Unusual Parent-Child Relationship ",
-  "query": "event.action:\"Process Create (rule: ProcessCreate)\" and process.parent.executable:* and   (      (process.name:\"smss.exe\" and not process.parent.name:(\"System\" or \"smss.exe\")) or       (process.name:\"csrss.exe\" and not process.parent.name:(\"smss.exe\" or \"svchost.exe\")) or       (process.name:\"wininit.exe\" and not process.parent.name:\"smss.exe\") or       (process.name:\"winlogon.exe\" and not process.parent.name:\"smss.exe\") or       (process.name:\"lsass.exe\" and not process.parent.name:\"wininit.exe\") or       (process.name:\"LogonUI.exe\" and not process.parent.name:(\"winlogon.exe\" or \"wininit.exe\")) or       (process.name:\"services.exe\" and not process.parent.name:\"wininit.exe\") or       (process.name:\"svchost.exe\" and not process.parent.name:(\"services.exe\" or \"MsMpEng.exe\")) or      (process.name:\"spoolsv.exe\" and not process.parent.name:\"services.exe\") or       (process.name:\"taskhost.exe\" and not process.parent.name:(\"services.exe\" or \"svchost.exe\")) or       (process.name:\"taskhostw.exe\" and not process.parent.name:(\"services.exe\" or \"svchost.exe\")) or       (process.name:\"userinit.exe\" and not process.parent.name:(\"dwm.exe\" or \"winlogon.exe\"))    )",
-  "risk_score": 50,
+  "query": "   event.action:\"Process Create (rule: ProcessCreate)\" and process.parent.executable:* and   (      (process.name:\"smss.exe\" and not process.parent.name:(\"System\" or \"smss.exe\")) or       (process.name:\"csrss.exe\" and not process.parent.name:(\"smss.exe\" or \"svchost.exe\")) or       (process.name:\"wininit.exe\" and not process.parent.name:\"smss.exe\") or       (process.name:\"winlogon.exe\" and not process.parent.name:\"smss.exe\") or       (process.name:\"lsass.exe\" and not process.parent.name:\"wininit.exe\") or       (process.name:\"LogonUI.exe\" and not process.parent.name:(\"winlogon.exe\" or \"wininit.exe\")) or       (process.name:\"services.exe\" and not process.parent.name:\"wininit.exe\") or       (process.name:\"svchost.exe\" and not process.parent.name:(\"services.exe\" or \"MsMpEng.exe\")) or      (process.name:\"spoolsv.exe\" and not process.parent.name:\"services.exe\") or       (process.name:\"taskhost.exe\" and not process.parent.name:(\"services.exe\" or \"svchost.exe\")) or       (process.name:\"taskhostw.exe\" and not process.parent.name:(\"services.exe\" or \"svchost.exe\")) or       (process.name:\"userinit.exe\" and not process.parent.name:(\"dwm.exe\" or \"winlogon.exe\"))    )",
+  "risk_score": 47,
   "rule_id": "35df0dd8-092d-4a83-88c1-5151a804f31b",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_process_network_connection.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_process_network_connection.json
index 138ecbb820513..8ca16198ff175 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_process_network_connection.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_unusual_process_network_connection.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies network activity from unexpected system applications. This may indicate adversarial activity as these applications are often leveraged by adversaries to execute code and evade detection.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Unusual Process Network Connection",
   "query": " event.action:\"Network connection detected (rule: NetworkConnect)\" and process.name:(bginfo.exe or cdb.exe or cmstp.exe or csi.exe or dnx.exe or fsi.exe or ieexec.exe or iexpress.exe or Microsoft.Workflow.Compiler.exe or odbcconf.exe or rcsi.exe or xwizard.exe)",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "610949a1-312f-4e04-bb55-3a79b8c95267",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_user_account_creation.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_user_account_creation.json
index 9f3ecdb7a7f57..dee3d18bd5eda 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_user_account_creation.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_user_account_creation.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies attempts to create new local users. This is sometimes done by attackers to increase access to a system or domain.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "User Account Creation",
   "query": " event.action:\"Process Create (rule: ProcessCreate)\" and process.name:(\"net.exe\" or \"net1.exe\") and not process.parent.name:\"net.exe\" and process.args:(\"user\" and (\"/add\" or \"/ad\")) ",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "1aa9181a-492b-4c01-8b16-fa0735786b2b",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_user_added_to_administrator_group.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_user_added_to_administrator_group.json
index 1a0e0f8dcb2ad..4ed6a06b18d3b 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_user_added_to_administrator_group.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_user_added_to_administrator_group.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies attempts to add a user to an administrative group with the \"net.exe\" command. This is sometimes done by attackers to increase access of a compromised account or create new account.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "User Added to Administrator Group",
   "query": " event.action:\"Process Create (rule: ProcessCreate)\" and process.name:(\"net.exe\" or \"net1.exe\") and not process.parent.name:\"net.exe\" and process.args:(\"group\" and \"admin\" and \"/add\") ",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "4426de6f-6103-44aa-a77e-49d672836c27",
   "severity": "medium",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_volume_shadow_copy_deletion_via_vssadmin.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_volume_shadow_copy_deletion_via_vssadmin.json
index 794fec38b380e..cdeeb1563dfde 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_volume_shadow_copy_deletion_via_vssadmin.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_volume_shadow_copy_deletion_via_vssadmin.json
@@ -1,20 +1,19 @@
 {
   "description": "Identifies use of vssadmin.exe for shadow copy deletion on endpoints.  This commonly occurs in tandem with ransomware or other destructive attacks.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Volume Shadow Copy Deletion via VssAdmin",
-  "query": "event.action:\"Process Create (rule: ProcessCreate)\"  and process.name:\"vssadmin.exe\" and process.args:(\"delete\" and \"shadows\") ",
-  "risk_score": 75,
+  "query": "  event.action:\"Process Create (rule: ProcessCreate)\"  and process.name:\"vssadmin.exe\" and process.args:(\"delete\" and \"shadows\") ",
+  "risk_score": 73,
   "rule_id": "b5ea4bfe-a1b2-421f-9d47-22a75a6f2921",
   "severity": "high",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_volume_shadow_copy_deletion_via_wmic.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_volume_shadow_copy_deletion_via_wmic.json
index a3e94b08275be..9465cf84d73f4 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_volume_shadow_copy_deletion_via_wmic.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_volume_shadow_copy_deletion_via_wmic.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies use of wmic for shadow copy deletion on endpoints. This commonly occurs in tandem with ransomware or other destructive attacks.",
+  "description": "Identifies use of wmic.exe for shadow copy deletion on endpoints. This commonly occurs in tandem with ransomware or other destructive attacks.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Volume Shadow Copy Deletion via WMIC",
-  "query": "event.action:\"Process Create (rule: ProcessCreate)\" and process.name:\"wmic.exe\" and process.args:(\"shadowcopy\" and \"delete\")",
-  "risk_score": 75,
+  "query": "  event.action:\"Process Create (rule: ProcessCreate)\" and process.name:\"wmic.exe\" and process.args:(\"shadowcopy\" and \"delete\")",
+  "risk_score": 73,
   "rule_id": "dc9c1f74-dac3-48e3-b47f-eb79db358f57",
   "severity": "high",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_windows_script_executing_powershell.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_windows_script_executing_powershell.json
index 868d84ef9ebce..f3df1276de53d 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_windows_script_executing_powershell.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_windows_script_executing_powershell.json
@@ -1,20 +1,19 @@
 {
-  "description": "Identifies a PowerShell process launched by either CScript or WScript. Observing Windows scripting processes executing a PowerShell script, may be indicative of malicious activity.",
+  "description": "Identifies a PowerShell process launched by either cscript.exe or wscript.exe. Observing Windows scripting processes executing a PowerShell script, may be indicative of malicious activity.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "Windows Script Executing PowerShell",
   "query": "event.action:\"Process Create (rule: ProcessCreate)\" and process.parent.name:(\"wscript.exe\" or \"cscript.exe\") and process.name:\"powershell.exe\"",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "f545ff26-3c94-4fd0-bd33-3c7f95a3a0fc",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_wmic_command_lateral_movement.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_wmic_command_lateral_movement.json
index 5c2804507cbd2..a50d9e64f2e2b 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_wmic_command_lateral_movement.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/eql_wmic_command_lateral_movement.json
@@ -1,20 +1,22 @@
 {
   "description": "Identifies use of wmic.exe to run commands on remote hosts. This could be indicative of adversary lateral movement but will be noisy if commonly done by admins.",
+  "false_positives": [
+    "The WMIC utility provides a command-line interface for WMI, which can be used for an array of administrative capabilities. It's important to baseline your environment to determine any abnormal use of this tool."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
+  "max_signals": 33,
   "name": "WMIC Command Lateral Movement",
-  "query": "event.action:\"Process Create (rule: ProcessCreate)\" and  process.name:\"wmic.exe\" and process.args:(\"/node\" or \"-node\") and process.args:(\"call\" or \"set\")",
-  "risk_score": 25,
+  "query": "   event.action:\"Process Create (rule: ProcessCreate)\" and  process.name:\"wmic.exe\" and process.args:(\"/node\" or \"-node\") and process.args:(\"call\" or \"set\")",
+  "risk_score": 21,
   "rule_id": "9616587f-6396-42d0-bd31-ef8dbd806210",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/index.ts b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/index.ts
index a70ff7d13f0ee..cd6d899133bff 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/index.ts
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/index.ts
@@ -9,147 +9,117 @@
 
 import rule1 from './403_response_to_a_post.json';
 import rule2 from './405_response_method_not_allowed.json';
-import rule3 from './500_response_on_admin_page.json';
-import rule4 from './eql_adding_the_hidden_file_attribute_with_via_attribexe.json';
-import rule5 from './eql_adobe_hijack_persistence.json';
-import rule6 from './eql_audio_capture_via_powershell.json';
-import rule7 from './eql_audio_capture_via_soundrecorder.json';
-import rule8 from './eql_bypass_uac_event_viewer.json';
-import rule9 from './eql_bypass_uac_via_cmstp.json';
-import rule10 from './eql_bypass_uac_via_sdclt.json';
-import rule11 from './eql_clearing_windows_event_logs.json';
-import rule12 from './eql_delete_volume_usn_journal_with_fsutil.json';
-import rule13 from './eql_deleting_backup_catalogs_with_wbadmin.json';
-import rule14 from './eql_direct_outbound_smb_connection.json';
-import rule15 from './eql_disable_windows_firewall_rules_with_netsh.json';
-import rule16 from './eql_dll_search_order_hijack.json';
-import rule17 from './eql_encoding_or_decoding_files_via_certutil.json';
-import rule18 from './eql_local_scheduled_task_commands.json';
-import rule19 from './eql_local_service_commands.json';
-import rule20 from './eql_modification_of_boot_configuration.json';
-import rule21 from './eql_msbuild_making_network_connections.json';
-import rule22 from './eql_mshta_making_network_connections.json';
-import rule23 from './eql_msxsl_making_network_connections.json';
-import rule24 from './eql_psexec_lateral_movement_command.json';
-import rule25 from './eql_suspicious_ms_office_child_process.json';
-import rule26 from './eql_suspicious_ms_outlook_child_process.json';
-import rule27 from './eql_suspicious_pdf_reader_child_process.json';
-import rule28 from './eql_system_shells_via_services.json';
-import rule29 from './eql_unusual_network_connection_via_rundll32.json';
-import rule30 from './eql_unusual_parentchild_relationship.json';
-import rule31 from './eql_unusual_process_network_connection.json';
-import rule32 from './eql_user_account_creation.json';
-import rule33 from './eql_user_added_to_administrator_group.json';
-import rule34 from './eql_volume_shadow_copy_deletion_via_vssadmin.json';
-import rule35 from './eql_volume_shadow_copy_deletion_via_wmic.json';
-import rule36 from './eql_windows_script_executing_powershell.json';
-import rule37 from './eql_wmic_command_lateral_movement.json';
-import rule38 from './linux_hping_activity.json';
-import rule39 from './linux_iodine_activity.json';
-import rule40 from './linux_kernel_module_activity.json';
-import rule41 from './linux_ldso_process_activity.json';
-import rule42 from './linux_lzop_activity.json';
-import rule43 from './linux_mknod_activity.json';
-import rule44 from './linux_netcat_network_connection.json';
-import rule45 from './linux_network_anomalous_process_using_https_ports.json';
-import rule46 from './linux_nmap_activity.json';
-import rule47 from './linux_nping_activity.json';
-import rule48 from './linux_process_started_in_temp_directory.json';
-import rule49 from './linux_ptrace_activity.json';
-import rule50 from './linux_rawshark_activity.json';
-import rule51 from './linux_shell_activity_by_web_server.json';
-import rule52 from './linux_socat_activity.json';
-import rule53 from './linux_ssh_forwarding.json';
-import rule54 from './linux_strace_activity.json';
-import rule55 from './linux_tcpdump_activity.json';
-import rule56 from './linux_web_download.json';
-import rule57 from './linux_whoami_commmand.json';
-import rule58 from './network_dns_directly_to_the_internet.json';
-import rule59 from './network_ftp_file_transfer_protocol_activity_to_the_internet.json';
-import rule60 from './network_irc_internet_relay_chat_protocol_activity_to_the_internet.json';
-import rule61 from './network_nat_traversal_port_activity.json';
-import rule62 from './network_port_26_activity.json';
-import rule63 from './network_port_8000_activity.json';
-import rule64 from './network_port_8000_activity_to_the_internet.json';
-import rule65 from './network_pptp_point_to_point_tunneling_protocol_activity.json';
-import rule66 from './network_proxy_port_activity_to_the_internet.json';
-import rule67 from './network_rdp_remote_desktop_protocol_from_the_internet.json';
-import rule68 from './network_rdp_remote_desktop_protocol_to_the_internet.json';
-import rule69 from './network_rpc_remote_procedure_call_from_the_internet.json';
-import rule70 from './network_rpc_remote_procedure_call_to_the_internet.json';
-import rule71 from './network_smb_windows_file_sharing_activity_to_the_internet.json';
-import rule72 from './network_smtp_to_the_internet.json';
-import rule73 from './network_sql_server_port_activity_to_the_internet.json';
-import rule74 from './network_ssh_secure_shell_from_the_internet.json';
-import rule75 from './network_ssh_secure_shell_to_the_internet.json';
-import rule76 from './network_telnet_port_activity.json';
-import rule77 from './network_tor_activity_to_the_internet.json';
-import rule78 from './network_vnc_virtual_network_computing_from_the_internet.json';
-import rule79 from './network_vnc_virtual_network_computing_to_the_internet.json';
-import rule80 from './null_user_agent.json';
-import rule81 from './sqlmap_user_agent.json';
-import rule82 from './windows_background_intelligent_transfer_service_bits_connecting_to_the_internet.json';
-import rule83 from './windows_burp_ce_activity.json';
-import rule84 from './windows_certutil_connecting_to_the_internet.json';
-import rule85 from './windows_command_prompt_connecting_to_the_internet.json';
-import rule86 from './windows_command_shell_started_by_internet_explorer.json';
-import rule87 from './windows_command_shell_started_by_powershell.json';
-import rule88 from './windows_command_shell_started_by_svchost.json';
-import rule89 from './windows_credential_dumping_commands.json';
-import rule90 from './windows_credential_dumping_via_imageload.json';
-import rule91 from './windows_credential_dumping_via_registry_save.json';
-import rule92 from './windows_data_compression_using_powershell.json';
-import rule93 from './windows_defense_evasion_decoding_using_certutil.json';
-import rule94 from './windows_defense_evasion_or_persistence_via_hidden_files.json';
-import rule95 from './windows_defense_evasion_via_filter_manager.json';
-import rule96 from './windows_defense_evasion_via_windows_event_log_tools.json';
+import rule3 from './elastic_endpoint_security_adversary_behavior_detected.json';
+import rule4 from './elastic_endpoint_security_cred_dumping_detected.json';
+import rule5 from './elastic_endpoint_security_cred_dumping_prevented.json';
+import rule6 from './elastic_endpoint_security_cred_manipulation_detected.json';
+import rule7 from './elastic_endpoint_security_cred_manipulation_prevented.json';
+import rule8 from './elastic_endpoint_security_exploit_detected.json';
+import rule9 from './elastic_endpoint_security_exploit_prevented.json';
+import rule10 from './elastic_endpoint_security_malware_detected.json';
+import rule11 from './elastic_endpoint_security_malware_prevented.json';
+import rule12 from './elastic_endpoint_security_permission_theft_detected.json';
+import rule13 from './elastic_endpoint_security_permission_theft_prevented.json';
+import rule14 from './elastic_endpoint_security_process_injection_detected.json';
+import rule15 from './elastic_endpoint_security_process_injection_prevented.json';
+import rule16 from './elastic_endpoint_security_ransomware_detected.json';
+import rule17 from './elastic_endpoint_security_ransomware_prevented.json';
+import rule18 from './eql_adding_the_hidden_file_attribute_with_via_attribexe.json';
+import rule19 from './eql_adobe_hijack_persistence.json';
+import rule20 from './eql_audio_capture_via_powershell.json';
+import rule21 from './eql_audio_capture_via_soundrecorder.json';
+import rule22 from './eql_bypass_uac_event_viewer.json';
+import rule23 from './eql_bypass_uac_via_cmstp.json';
+import rule24 from './eql_bypass_uac_via_sdclt.json';
+import rule25 from './eql_clearing_windows_event_logs.json';
+import rule26 from './eql_delete_volume_usn_journal_with_fsutil.json';
+import rule27 from './eql_deleting_backup_catalogs_with_wbadmin.json';
+import rule28 from './eql_direct_outbound_smb_connection.json';
+import rule29 from './eql_disable_windows_firewall_rules_with_netsh.json';
+import rule30 from './eql_dll_search_order_hijack.json';
+import rule31 from './eql_encoding_or_decoding_files_via_certutil.json';
+import rule32 from './eql_local_scheduled_task_commands.json';
+import rule33 from './eql_local_service_commands.json';
+import rule34 from './eql_modification_of_boot_configuration.json';
+import rule35 from './eql_msbuild_making_network_connections.json';
+import rule36 from './eql_mshta_making_network_connections.json';
+import rule37 from './eql_msxsl_making_network_connections.json';
+import rule38 from './eql_psexec_lateral_movement_command.json';
+import rule39 from './eql_suspicious_ms_office_child_process.json';
+import rule40 from './eql_suspicious_ms_outlook_child_process.json';
+import rule41 from './eql_suspicious_pdf_reader_child_process.json';
+import rule42 from './eql_system_shells_via_services.json';
+import rule43 from './eql_unusual_network_connection_via_rundll32.json';
+import rule44 from './eql_unusual_parentchild_relationship.json';
+import rule45 from './eql_unusual_process_network_connection.json';
+import rule46 from './eql_user_account_creation.json';
+import rule47 from './eql_user_added_to_administrator_group.json';
+import rule48 from './eql_volume_shadow_copy_deletion_via_vssadmin.json';
+import rule49 from './eql_volume_shadow_copy_deletion_via_wmic.json';
+import rule50 from './eql_windows_script_executing_powershell.json';
+import rule51 from './eql_wmic_command_lateral_movement.json';
+import rule52 from './linux_hping_activity.json';
+import rule53 from './linux_iodine_activity.json';
+import rule54 from './linux_kernel_module_activity.json';
+import rule55 from './linux_ldso_process_activity.json';
+import rule56 from './linux_mknod_activity.json';
+import rule57 from './linux_netcat_network_connection.json';
+import rule58 from './linux_nmap_activity.json';
+import rule59 from './linux_nping_activity.json';
+import rule60 from './linux_process_started_in_temp_directory.json';
+import rule61 from './linux_shell_activity_by_web_server.json';
+import rule62 from './linux_socat_activity.json';
+import rule63 from './linux_ssh_forwarding.json';
+import rule64 from './linux_strace_activity.json';
+import rule65 from './linux_tcpdump_activity.json';
+import rule66 from './linux_whoami_commmand.json';
+import rule67 from './network_dns_directly_to_the_internet.json';
+import rule68 from './network_ftp_file_transfer_protocol_activity_to_the_internet.json';
+import rule69 from './network_irc_internet_relay_chat_protocol_activity_to_the_internet.json';
+import rule70 from './network_nat_traversal_port_activity.json';
+import rule71 from './network_port_26_activity.json';
+import rule72 from './network_port_8000_activity_to_the_internet.json';
+import rule73 from './network_pptp_point_to_point_tunneling_protocol_activity.json';
+import rule74 from './network_proxy_port_activity_to_the_internet.json';
+import rule75 from './network_rdp_remote_desktop_protocol_from_the_internet.json';
+import rule76 from './network_rdp_remote_desktop_protocol_to_the_internet.json';
+import rule77 from './network_rpc_remote_procedure_call_from_the_internet.json';
+import rule78 from './network_rpc_remote_procedure_call_to_the_internet.json';
+import rule79 from './network_smb_windows_file_sharing_activity_to_the_internet.json';
+import rule80 from './network_smtp_to_the_internet.json';
+import rule81 from './network_sql_server_port_activity_to_the_internet.json';
+import rule82 from './network_ssh_secure_shell_from_the_internet.json';
+import rule83 from './network_ssh_secure_shell_to_the_internet.json';
+import rule84 from './network_telnet_port_activity.json';
+import rule85 from './network_tor_activity_to_the_internet.json';
+import rule86 from './network_vnc_virtual_network_computing_from_the_internet.json';
+import rule87 from './network_vnc_virtual_network_computing_to_the_internet.json';
+import rule88 from './null_user_agent.json';
+import rule89 from './sqlmap_user_agent.json';
+import rule90 from './windows_background_intelligent_transfer_service_bits_connecting_to_the_internet.json';
+import rule91 from './windows_certutil_connecting_to_the_internet.json';
+import rule92 from './windows_command_prompt_connecting_to_the_internet.json';
+import rule93 from './windows_command_shell_started_by_internet_explorer.json';
+import rule94 from './windows_command_shell_started_by_powershell.json';
+import rule95 from './windows_command_shell_started_by_svchost.json';
+import rule96 from './windows_defense_evasion_via_filter_manager.json';
 import rule97 from './windows_execution_via_compiled_html_file.json';
 import rule98 from './windows_execution_via_connection_manager.json';
-import rule99 from './windows_execution_via_microsoft_html_application_hta.json';
-import rule100 from './windows_execution_via_net_com_assemblies.json';
-import rule101 from './windows_execution_via_regsvr32.json';
-import rule102 from './windows_execution_via_trusted_developer_utilities.json';
-import rule103 from './windows_html_help_executable_program_connecting_to_the_internet.json';
-import rule104 from './windows_image_load_from_a_temp_directory.json';
-import rule105 from './windows_indirect_command_execution.json';
-import rule106 from './windows_iodine_activity.json';
-import rule107 from './windows_management_instrumentation_wmi_execution.json';
-import rule108 from './windows_microsoft_html_application_hta_connecting_to_the_internet.json';
-import rule109 from './windows_mimikatz_activity.json';
-import rule110 from './windows_misc_lolbin_connecting_to_the_internet.json';
-import rule111 from './windows_net_command_activity_by_the_system_account.json';
-import rule112 from './windows_net_user_command_activity.json';
-import rule113 from './windows_netcat_activity.json';
-import rule114 from './windows_netcat_network_activity.json';
-import rule115 from './windows_network_anomalous_windows_process_using_https_ports.json';
-import rule116 from './windows_nmap_activity.json';
-import rule117 from './windows_nmap_scan_activity.json';
-import rule118 from './windows_payload_obfuscation_via_certutil.json';
-import rule119 from './windows_persistence_or_priv_escalation_via_hooking.json';
-import rule120 from './windows_persistence_via_application_shimming.json';
-import rule121 from './windows_persistence_via_bits_jobs.json';
-import rule122 from './windows_persistence_via_modification_of_existing_service.json';
-import rule123 from './windows_persistence_via_netshell_helper_dll.json';
-import rule124 from './windows_powershell_connecting_to_the_internet.json';
-import rule125 from './windows_priv_escalation_via_accessibility_features.json';
-import rule126 from './windows_process_discovery_via_tasklist_command.json';
-import rule127 from './windows_process_execution_via_wmi.json';
-import rule128 from './windows_process_started_by_acrobat_reader_possible_payload.json';
-import rule129 from './windows_process_started_by_ms_office_program_possible_payload.json';
-import rule130 from './windows_process_started_by_the_java_runtime.json';
-import rule131 from './windows_psexec_activity.json';
-import rule132 from './windows_register_server_program_connecting_to_the_internet.json';
-import rule133 from './windows_registry_query_local.json';
-import rule134 from './windows_registry_query_network.json';
-import rule135 from './windows_remote_management_execution.json';
-import rule136 from './windows_scheduled_task_activity.json';
-import rule137 from './windows_script_interpreter_connecting_to_the_internet.json';
-import rule138 from './windows_signed_binary_proxy_execution.json';
-import rule139 from './windows_signed_binary_proxy_execution_download.json';
-import rule140 from './windows_suspicious_process_started_by_a_script.json';
-import rule141 from './windows_whoami_command_activity.json';
-import rule142 from './windows_windump_activity.json';
-import rule143 from './windows_wireshark_activity.json';
+import rule99 from './windows_execution_via_net_com_assemblies.json';
+import rule100 from './windows_execution_via_regsvr32.json';
+import rule101 from './windows_execution_via_trusted_developer_utilities.json';
+import rule102 from './windows_html_help_executable_program_connecting_to_the_internet.json';
+import rule103 from './windows_misc_lolbin_connecting_to_the_internet.json';
+import rule104 from './windows_net_command_activity_by_the_system_account.json';
+import rule105 from './windows_persistence_via_application_shimming.json';
+import rule106 from './windows_priv_escalation_via_accessibility_features.json';
+import rule107 from './windows_process_discovery_via_tasklist_command.json';
+import rule108 from './windows_process_execution_via_wmi.json';
+import rule109 from './windows_register_server_program_connecting_to_the_internet.json';
+import rule110 from './windows_signed_binary_proxy_execution.json';
+import rule111 from './windows_signed_binary_proxy_execution_download.json';
+import rule112 from './windows_suspicious_process_started_by_a_script.json';
+import rule113 from './windows_whoami_command_activity.json';
 export const rawRules = [
   rule1,
   rule2,
@@ -264,34 +234,4 @@ export const rawRules = [
   rule111,
   rule112,
   rule113,
-  rule114,
-  rule115,
-  rule116,
-  rule117,
-  rule118,
-  rule119,
-  rule120,
-  rule121,
-  rule122,
-  rule123,
-  rule124,
-  rule125,
-  rule126,
-  rule127,
-  rule128,
-  rule129,
-  rule130,
-  rule131,
-  rule132,
-  rule133,
-  rule134,
-  rule135,
-  rule136,
-  rule137,
-  rule138,
-  rule139,
-  rule140,
-  rule141,
-  rule142,
-  rule143,
 ];
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_hping_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_hping_activity.json
index d0a07ce2d0365..517e16fb3d284 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_hping_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_hping_activity.json
@@ -4,22 +4,22 @@
     "Normal use of hping is uncommon apart from security testing and research. Use by non-security engineers is very uncommon."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Hping Process Activity",
   "query": "process.name: hping  and event.action:executed",
-  "references": ["https://en.wikipedia.org/wiki/Hping"],
-  "risk_score": 75,
+  "references": [
+    "https://en.wikipedia.org/wiki/Hping"
+  ],
+  "risk_score": 73,
   "rule_id": "90169566-2260-4824-b8e4-8615c3b4ed52",
   "severity": "high",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_iodine_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_iodine_activity.json
index 1a116735e98f3..49f18ef9871a1 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_iodine_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_iodine_activity.json
@@ -1,25 +1,25 @@
 {
-  "description": "Iodine is a tool for tunneling internet protocol version 4 (IPV4) trafic over the DNS protocol in order to circumvent firewalls, network security groups or network access lists while evading detection.",
+  "description": "Iodine is a tool for tunneling Internet protocol version 4 (IPV4) traffic over the DNS protocol in order to circumvent firewalls, network security groups or network access lists while evading detection.",
   "false_positives": [
     "Normal use of Iodine is uncommon apart from security testing and research. Use by non-security engineers is very uncommon."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Potential DNS Tunneling via Iodine",
   "query": "process.name: (iodine or iodined) and event.action:executed",
-  "references": ["https://code.kryo.se/iodine/"],
-  "risk_score": 75,
+  "references": [
+    "https://code.kryo.se/iodine/"
+  ],
+  "risk_score": 73,
   "rule_id": "041d4d41-9589-43e2-ba13-5680af75ebc2",
   "severity": "high",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_kernel_module_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_kernel_module_activity.json
index 1529862571381..8c94694ca4d04 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_kernel_module_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_kernel_module_activity.json
@@ -3,17 +3,23 @@
   "false_positives": [
     "Security tools and device drivers may run these programs in order to load legitimate kernel modules. Use of these programs by ordinary users is uncommon."
   ],
-  "index": ["auditbeat-*"],
+  "index": [
+    "auditbeat-*"
+  ],
+  "language": "kuery",
   "max_signals": 33,
   "name": "Persistence via Kernel Module Modification",
   "query": "process.name: (insmod or kmod or modprobe or rmod) and event.action:executed",
   "references": [
     "https://www.hackers-arise.com/single-post/2017/11/03/Linux-for-Hackers-Part-10-Loadable-Kernel-Modules-LKM"
   ],
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "81cc58f5-8062-49a2-ba84-5cc4b4d31c40",
   "severity": "low",
-  "tags": ["Elastic", "auditbeat"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ldso_process_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ldso_process_activity.json
index 187fc6379ef25..82a2a16080160 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ldso_process_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ldso_process_activity.json
@@ -1,24 +1,22 @@
 {
-  "description": "ld.so runs in a privlieged context and can be used to escape restrictive environments by spawning a shell in order to elevate privlieges or move laterally.",
+  "description": "The dynamic linker, ld.so, runs in a privileged context and can be used to escape restrictive environments by spawning a shell in order to elevate privileges or move laterally.",
   "false_positives": [
     "ld.so is a dual-use tool that can be used for benign or malicious activity. Some normal use of this command may originate from developers or administrators. Use of ld.so by non-engineers or ordinary users is uncommon."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Ld.so Process Activity",
   "query": "process.name:ld.so and event.action:executed",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "3f31a31c-f7cf-4268-a0df-ec1a98099e7f",
   "severity": "low",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_lzop_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_lzop_activity.json
deleted file mode 100644
index 8061ff72e130b..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_lzop_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Linux lzop activity - possible @JulianRunnels",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Linux lzop activity",
-  "query": "process.name:lzop and event.action:executed",
-  "risk_score": 50,
-  "rule_id": "d7359214-54a4-4572-9e51-ebf79cda9b04",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_mknod_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_mknod_activity.json
index 1fe4802c6cf79..8f4e1f40fad12 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_mknod_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_mknod_activity.json
@@ -1,25 +1,25 @@
 {
-  "description": "The Linux mknod program is sometimes used in the command paylod of remote command injection (RCI) and other exploits to export a command shell when the traditional version of netcat is not available to the payload.",
+  "description": "The Linux mknod program is sometimes used in the command payload of remote command injection (RCI) and other exploits to export a command shell when the traditional version of netcat is not available to the payload.",
   "false_positives": [
     "Mknod is a Linux system program. Some normal use of this program, at varying levels of frequency, may originate from scripts, automation tools and frameworks. Usage by web servers is more likely to be suspicious."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Mknod Process Activity",
   "query": "process.name: mknod and event.action:executed",
-  "references": ["https://pen-testing.sans.org/blog/2013/05/06/netcat-without-e-no-problem"],
-  "risk_score": 25,
+  "references": [
+    "https://pen-testing.sans.org/blog/2013/05/06/netcat-without-e-no-problem"
+  ],
+  "risk_score": 21,
   "rule_id": "61c31c14-507f-4627-8c31-072556b89a9c",
   "severity": "low",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_netcat_network_connection.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_netcat_network_connection.json
index 6d57d0cbab375..b06a342d24977 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_netcat_network_connection.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_netcat_network_connection.json
@@ -1,15 +1,10 @@
 {
-  "description": "A netcat process is engaging in network activity on a Linux host. Netcat is often used as a persistence mechanism by exporting a reverse shell or by serving a shell on a listening port. Netcat is also sometimes used for data exfiltation. ",
+  "description": "A netcat process is engaging in network activity on a Linux host. Netcat is often used as a persistence mechanism by exporting a reverse shell or by serving a shell on a listening port. Netcat is also sometimes used for data exfiltration. ",
   "false_positives": [
     "Netcat is a dual-use tool that can be used for benign or malicious activity. Netcat is included in some Linux distributions so its presence is not necessarily suspicious. Some normal use of this program, while uncommon, may originate from scripts, automation tools and frameworks."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
@@ -20,10 +15,13 @@
     "https://www.sans.org/security-resources/sec560/netcat_cheat_sheet_v1.pdf",
     "https://en.wikipedia.org/wiki/Netcat"
   ],
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "adb961e0-cb74-42a0-af9e-29fc41f88f5f",
   "severity": "medium",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_network_anomalous_process_using_https_ports.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_network_anomalous_process_using_https_ports.json
deleted file mode 100644
index f10c940f8bb93..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_network_anomalous_process_using_https_ports.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Linux Network - Anomalous Process Using HTTP/S Ports",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Linux Network - Anomalous Process Using HTTP/S Ports",
-  "query": "(destination.port:443 or destination.port:80) and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16 and not process.name:curl and not process.name:http and not process.name:https and not process.name:nginx and not process.name:packetbeat and not process.name:python2 and not process.name:snapd and not process.name:wget",
-  "risk_score": 50,
-  "rule_id": "be40c674-1799-4a00-934d-0b2d54495913",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_nmap_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_nmap_activity.json
index b2284eea3f309..406cd8e026e7a 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_nmap_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_nmap_activity.json
@@ -1,25 +1,25 @@
 {
-  "description": "Nmap ran on a Linux host. Nmap is a FOSS tool for network scanning and security testing. It can map and discover networks and identify listneing services and operating systems. It is sometimes used to gather information in support of exploitation, execution or lateral movement.",
+  "description": "Nmap was executed on a Linux host. Nmap is a FOSS tool for network scanning and security testing. It can map and discover networks, identify listening services and operating systems. It is sometimes used to gather information in support of exploitation, execution or lateral movement.",
   "false_positives": [
     "Security testing tools and frameworks may run nmap in the course of security auditing. Some normal use of this command may originate from security engineers and network or server administrators. Use of nmap by ordinary users is uncommon."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Nmap Process Activity",
   "query": "process.name: nmap",
-  "references": ["https://en.wikipedia.org/wiki/Nmap"],
-  "risk_score": 25,
+  "references": [
+    "https://en.wikipedia.org/wiki/Nmap"
+  ],
+  "risk_score": 21,
   "rule_id": "c87fca17-b3a9-4e83-b545-f30746c53920",
   "severity": "low",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_nping_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_nping_activity.json
index 4d37f32fb3ca0..de53e05e70fa3 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_nping_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_nping_activity.json
@@ -4,22 +4,22 @@
     "Some normal use of this command may originate from security engineers and network or server administrators but this is usually not routine or unannounced. Use of nping by non-engineers or ordinary users is uncommon."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Nping Process Activity",
   "query": "process.name: nping and event.action:executed",
-  "references": ["https://en.wikipedia.org/wiki/Nmap"],
-  "risk_score": 50,
+  "references": [
+    "https://en.wikipedia.org/wiki/Nmap"
+  ],
+  "risk_score": 47,
   "rule_id": "0d69150b-96f8-467c-a86d-a67a3378ce77",
   "severity": "medium",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_process_started_in_temp_directory.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_process_started_in_temp_directory.json
index d38cead306cd4..4ed021a4c864d 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_process_started_in_temp_directory.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_process_started_in_temp_directory.json
@@ -4,21 +4,19 @@
     "Build systems like Jenkins may start processes in the /tmp directory. These can be exempted by name or by username."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Unusual Process Execution - Temp",
   "query": "process.working_directory: /tmp and event.action:executed",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "df959768-b0c9-4d45-988c-5606a2be8e5a",
   "severity": "medium",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ptrace_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ptrace_activity.json
deleted file mode 100644
index 6f99312c04a00..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ptrace_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Linux: Ptrace Activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Linux: Ptrace Activity",
-  "query": "process.name: ptrace and event.action:executed",
-  "risk_score": 50,
-  "rule_id": "1bff9259-e160-4920-bf72-4c96b6dbb7af",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_rawshark_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_rawshark_activity.json
deleted file mode 100644
index 148468e959899..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_rawshark_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Linux: Rawshark Activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Linux: Rawshark Activity",
-  "query": "process.name: rawshark and event.action:executed",
-  "risk_score": 50,
-  "rule_id": "30eb2b9d-b53b-4ba5-bfab-7119a8b84029",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_shell_activity_by_web_server.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_shell_activity_by_web_server.json
index 1711f45e770ed..c7d856cbe61f3 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_shell_activity_by_web_server.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_shell_activity_by_web_server.json
@@ -3,16 +3,23 @@
   "false_positives": [
     "Network monitoring or management products may have a web server component that runs shell commands as part of normal behavior."
   ],
-  "index": ["auditbeat-*"],
+  "index": [
+    "auditbeat-*"
+  ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Potential Shell via Web Server",
   "query": "process.name: bash and (user.name: apache or www) and event.action:executed",
-  "references": ["https://pentestlab.blog/tag/web-shell/"],
-  "risk_score": 50,
+  "references": [
+    "https://pentestlab.blog/tag/web-shell/"
+  ],
+  "risk_score": 47,
   "rule_id": "231876e7-4d1f-4d63-a47c-47dd1acdc1cb",
-  "severity": "low",
-  "tags": ["Elastic", "linux"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_socat_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_socat_activity.json
index 364a2bee65c23..481a99518d4ed 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_socat_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_socat_activity.json
@@ -4,12 +4,7 @@
     "Socat is a dual-use tool that can be used for benign or malicious activity. Some normal use of this program, at varying levels of frequency, may originate from scripts, automation tools and frameworks. Usage by web servers is more likely to be suspicious."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
@@ -18,10 +13,13 @@
   "references": [
     "https://blog.ropnop.com/upgrading-simple-shells-to-fully-interactive-ttys/#method-2-using-socat"
   ],
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "cd4d5754-07e1-41d4-b9a5-ef4ea6a0a126",
   "severity": "medium",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ssh_forwarding.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ssh_forwarding.json
index 3447689f08d62..3b61814ab66fd 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ssh_forwarding.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_ssh_forwarding.json
@@ -4,22 +4,23 @@
     "Some normal use of this command may originate from usage by engineers as an alternative or ad-hoc remote access solution. Use of this command by non-administrative users is uncommon."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Potential Lateral Movement via SSH Port Forwarding",
   "query": "process.name:ssh and process.args:\"-R\" and event.action:executed",
-  "references": ["https://www.ssh.com/ssh/tunneling", "https://www.ssh.com/ssh/tunneling/example"],
-  "risk_score": 50,
+  "references": [
+    "https://www.ssh.com/ssh/tunneling",
+    "https://www.ssh.com/ssh/tunneling/example"
+  ],
+  "risk_score": 47,
   "rule_id": "45d256ab-e665-445b-8306-2f83a8db59f8",
   "severity": "medium",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_strace_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_strace_activity.json
index b0c2b4ecd07c2..6f8bc112fd011 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_strace_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_strace_activity.json
@@ -1,25 +1,25 @@
 {
-  "description": "Strace runs in a privlieged context and can be used to escape restrictive environments by instantiating a shell in order to elevate privlieges or move laterally.",
+  "description": "Strace runs in a privileged context and can be used to escape restrictive environments by instantiating a shell in order to elevate privlieges or move laterally.",
   "false_positives": [
     "Strace is a dual-use tool that can be used for benign or malicious activity. Some normal use of this command may originate from developers or SREs engaged in debugging or system call tracing."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Strace Process Activity",
   "query": "process.name: strace and event.action:executed",
-  "references": ["https://en.wikipedia.org/wiki/Strace"],
-  "risk_score": 25,
+  "references": [
+    "https://en.wikipedia.org/wiki/Strace"
+  ],
+  "risk_score": 21,
   "rule_id": "d6450d4e-81c6-46a3-bd94-079886318ed5",
   "severity": "low",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_tcpdump_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_tcpdump_activity.json
index 594aee0eca708..b6dc7f1689770 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_tcpdump_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_tcpdump_activity.json
@@ -4,21 +4,19 @@
     "Some normal use of this command may originate from server or network administrators engaged in network troubleshooting."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "auditbeat-*"
   ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Network Sniffing via Tcpdump",
   "query": "process.name: tcpdump and event.action:executed",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "7a137d76-ce3d-48e2-947d-2747796a78c0",
   "severity": "low",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_web_download.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_web_download.json
deleted file mode 100644
index 311e2b5779602..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_web_download.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Linux: Web Download",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Linux: Web Download",
-  "query": "process.name: (curl or wget) and event.action:executed",
-  "risk_score": 50,
-  "rule_id": "e8ec93a6-49d2-4467-8c12-81c435fcc519",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_whoami_commmand.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_whoami_commmand.json
index a370a44d4eb46..91c6d2bcc9f95 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_whoami_commmand.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/linux_whoami_commmand.json
@@ -1,14 +1,22 @@
 {
-  "description": "The 'whoami' command was executed on a Linux host. This is often used by tools and persistence mechanisms to test for privlieged access.",
-  "index": ["auditbeat-*"],
+  "description": "The whoami application was executed on a Linux host. This is often used by tools and persistence mechanisms to test for privileged access.",
+  "false_positives": [
+    "Security testing tools and frameworks may run this command. Some normal use of this command may originate from automation tools and frameworks."
+  ],
+  "index": [
+    "auditbeat-*"
+  ],
   "language": "kuery",
   "max_signals": 33,
   "name": "User Discovery via Whoami",
   "query": "process.name: whoami and event.action:executed",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "120559c6-5e24-49f4-9e30-8ffe697df6b9",
   "severity": "low",
-  "tags": ["Elastic", "linux"],
+  "tags": [
+    "Elastic",
+    "Linux"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_dns_directly_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_dns_directly_to_the_internet.json
index 5c1d64e294159..3d1b07a267eca 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_dns_directly_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_dns_directly_to_the_internet.json
@@ -1,26 +1,29 @@
 {
-  "description": "This signal detects DNS network traffic logs that indicate an internal network\nclient reaching out to infrastructure on the Internet directly to answer name\nqueries. This activity could be a default or misconfiguration. This impacts\nyour organization's ability to provide enterprise monitoring and logging of DNS\nand opens your network to a variety of abuses or malicious communications.\n",
+  "description": "This signal detects internal network client sending DNS traffic directly to the Internet.\nThis is atypical behavior for a managed network and can be indicative of malware,\nexfiltration, command and control or simply misconfiguration. This also impacts your\norganization's ability to provide enterprise monitoring and logging of DNS and opens\nyour network to a variety of abuses or malicious communications.\n",
   "false_positives": [
-    "You should apply a filter to this rule to exclude your enterprise nameservers that are expected to reach out to the Internet"
+    "DNS servers should be excluded from this rule as this is expected behavior for them. Endpoints usually query local DNS servers defined in their DHCP scopes but this may be overridden if a user configures their endpoint to use a remote DNS server. This is uncommon in managed enterprise networks because it would tend to break intra-net name resolution when split horizon DNS is utilized. Some consumer VPN services and browser plug-ins may send DNS traffic to remote Internet destinations; in that case, such devices or networks can be excluded from this rule if this is expected behavior."
   ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
     "packetbeat-*",
     "winlogbeat-*"
   ],
+  "language": "kuery",
   "name": "DNS Activity to the Internet",
   "query": "destination.port:53 and (\n    network.direction: outbound or (\n        source.ip:(10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip:( 169.254.169.254/32 or 127.0.0.53/32 or 10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16 or 224.0.0.251 or ff02\\:\\:fb or 255.255.255.255 )\n    )\n)\n",
   "references": [
     "https://www.us-cert.gov/ncas/alerts/TA15-240A",
     "https://nvlpubs.nist.gov/nistpubs/SpecialPublications/NIST.SP.800-81-2.pdf"
   ],
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "6ea71ff0-9e95-475b-9506-2580d1ce6154",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ftp_file_transfer_protocol_activity_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ftp_file_transfer_protocol_activity_to_the_internet.json
index 62064db7e1443..ef7b39412c808 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ftp_file_transfer_protocol_activity_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ftp_file_transfer_protocol_activity_to_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects events that may indicate the use of FTP network connections.\nThe File Transfer Protocol (FTP) has been around in its current form since the\n1980's. It can be an efficient and normal procedure on your network to send and\nreceive files. Because it is common and efficient, adversaries will also often\nuse this protocol to exfiltrate data from your network or download new tools.\nAdditionally, FTP is a plaintext protocol which may expose your username and\npassword, if intercepted.\n",
+  "description": "This signal detects events that may indicate the use of FTP network connections to the Internet.\nThe File Transfer Protocol (FTP) has been around in its current form since the\n1980's. It can be an efficient and normal procedure on your network to send and\nreceive files. Because it is common and efficient, adversaries will also often\nuse this protocol to ex-filtrate data from your network or download new tools.\nAdditionally, FTP is a plain-text protocol which may expose your user name and\npassword, if intercepted. FTP activity involving servers subject to regulations or compliance standards may be unauthorized.\n",
+  "false_positives": [
+    "FTP servers should be excluded from this rule as this is expected behavior for them. Some business work-flows may use FTP for data exchange. These work-flows often have expected characteristics such as users, sources and destinations. FTP activity involving an unusual source or destination may be more suspicious. FTP activity involving a production server that has no known associated FTP work-flow or business requirement is often suspicious. NEW NEW"
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "FTP (File Transfer Protocol) Activity to the Internet",
   "query": "network.transport: tcp and destination.port: (20 or 21) and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "87ec6396-9ac4-4706-bcf0-2ebb22002f43",
   "severity": "low",
-  "tags": ["Elastic", "network"],
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
@@ -36,11 +41,11 @@
       "tactic": {
         "id": "TA0010",
         "name": "Exfiltration",
-        "reference": "https://attack.mitre.org/tactics/TA0011/"
+        "reference": "https://attack.mitre.org/tactics/TA0010/"
       },
       "technique": [
         {
-          "id": "T1043",
+          "id": "T1048",
           "name": "Exfiltration Over Alternative Protocol",
           "reference": "https://attack.mitre.org/techniques/T1048/"
         }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_irc_internet_relay_chat_protocol_activity_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_irc_internet_relay_chat_protocol_activity_to_the_internet.json
index 4590fdf39d143..2700eae977482 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_irc_internet_relay_chat_protocol_activity_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_irc_internet_relay_chat_protocol_activity_to_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects events that use common ports for IRC to the Internet. IRC\nis a common protocol that can be used chat and file transfer. This protocol\nalso makes a good candidate for remote control of malware and data transfer in\nand out of a network.\n",
+  "description": "This signal detects events that use common ports for IRC to the Internet. IRC (Internet Relay Chat)\nis a common protocol that can be used chat and file transfer. This protocol\nalso makes a good candidate for remote control of malware and data transfer in\nand out of a network.\n",
+  "false_positives": [
+    "IRC activity may be normal behavior for developers and engineers but is unusual for non-engineering end users. IRC activity involving an unusual source or destination may be more suspicious. IRC activity involving a production server is often suspicious. Because these ports are in the ephemeral range, this rule may false under certain conditions such as when a NATted web server replies to a client which has used a port in the range by coincidence. In this case, such servers can be excluded if desired. Some legacy applications may use these ports but this is very uncommon and usually appears only in local traffic using private IPs which this rule does not match."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "IRC (Internet Relay Chat) Protocol Activity to the Internet",
   "query": "network.transport: tcp and destination.port:(6667 or 6697) and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 47,
   "rule_id": "c6474c34-4953-447a-903e-9fcb7b6661aa",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
@@ -40,7 +45,7 @@
       },
       "technique": [
         {
-          "id": "T1043",
+          "id": "T1048",
           "name": "Exfiltration Over Alternative Protocol",
           "reference": "https://attack.mitre.org/techniques/T1048/"
         }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_nat_traversal_port_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_nat_traversal_port_activity.json
index e74bed3463993..e87e296017a36 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_nat_traversal_port_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_nat_traversal_port_activity.json
@@ -1,7 +1,9 @@
 {
   "description": "This signal detects events that could be describing IPSEC NAT Traversal traffic.\nIPSEC is a VPN technology that allows one system to talk to another using\nencrypted tunnels. NAT Traversal enables these tunnels to communicate over\nthe Internet where one of the sides is behind a NAT router gateway. This may\nbe common on your network, but this technique is also used by threat actors\nto avoid detection.\n",
+  "false_positives": [
+    "Some networks may utilize these protocols but usage that is unfamiliar to local network administrators can be unexpected and suspicious. Because this port is in the ephemeral range, this rule may false under certain conditions such as when a application server with a public IP address replies to a client which has used a UDP port in the range by coincidence. This is uncommon but such servers can be excluded if desired."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "IPSEC NAT Traversal Port Activity",
   "query": "network.transport: udp and destination.port: 4500",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "a9cb3641-ff4b-4cdc-a063-b4b8d02a67c7",
   "severity": "low",
-  "tags": ["Elastic", "network"],
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_26_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_26_activity.json
index e05e83ff0a1ee..59db16c7b7d3d 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_26_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_26_activity.json
@@ -1,7 +1,9 @@
 {
   "description": "This signal detects events that may indicate use of SMTP on TCP port 26. This\nport is commonly used by several popular mail transfer agents to deconflict\nwith the default SMTP port 25. This port has also been used by a malware family\ncalled BadPatch for command and control of Windows systems.\n",
+  "false_positives": [
+    "Servers that process email traffic may cause false positives and should be excluded from this rule as this is expected behavior for them."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -15,10 +17,13 @@
     "https://unit42.paloaltonetworks.com/unit42-badpatch/",
     "https://isc.sans.edu/forums/diary/Next+up+whats+up+with+TCP+port+26/25564/"
   ],
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "d7e62693-aab9-4f66-a21a-3d79ecdd603d",
   "severity": "low",
-  "tags": ["Elastic", "network"],
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_8000_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_8000_activity.json
deleted file mode 100644
index 73a634a3a9f42..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_8000_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Network - Port 8000 Activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Network - Port 8000 Activity",
-  "query": "destination.port:8000",
-  "risk_score": 50,
-  "rule_id": "9c5f8092-e3f7-4eda-b9d3-56eed28fb157",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_8000_activity_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_8000_activity_to_the_internet.json
index e193ab83d89fd..2b3d08a7c80d9 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_8000_activity_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_port_8000_activity_to_the_internet.json
@@ -1,7 +1,9 @@
 {
   "description": "TCP Port 8000 is commonly used for development environments of web server\nsoftware. It generally should not be exposed directly to the Internet. If you are\nrunning software like this on the Internet, you should consider placing it behind\na reverse proxy.\n",
+  "false_positives": [
+    "Because this port is in the ephemeral range, this rule may false under certain conditions such as when a NATed web server replies to a client which has used a port in the range by coincidence. In this case, such servers can be excluded if desired. Some applications may use this port but this is very uncommon and usually appears in local traffic using private IPs which this rule does not match. Some cloud environments, particularly development environments, may use this port when VPNs or direct connects are not in use and cloud instances are accessed across the Internet."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "TCP Port 8000 Activity to the Internet",
   "query": "network.transport: tcp and destination.port: 8000 and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "08d5d7e2-740f-44d8-aeda-e41f4263efaf",
   "severity": "low",
-  "tags": ["Elastic", "network"],
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_pptp_point_to_point_tunneling_protocol_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_pptp_point_to_point_tunneling_protocol_activity.json
index 7b527dbc09a44..b008ca2c2bee6 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_pptp_point_to_point_tunneling_protocol_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_pptp_point_to_point_tunneling_protocol_activity.json
@@ -1,7 +1,9 @@
 {
   "description": "This signal detects events that may indicate use of a PPTP VPN connection. Some threat actors use these types of connections to tunnel their traffic while avoiding detection.",
+  "false_positives": [
+    "Some networks may utilize PPTP protocols but this is uncommon as more modern VPN technologies are available. Usage that is unfamiliar to local network administrators can be unexpected and suspicious. Torrenting applications may use this port. Because this port is in the ephemeral range, this rule may false under certain conditions such as when an application server with replies to a client which has used this port by coincidence. This is uncommon but such servers can be excluded if desired."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,30 @@
   "language": "kuery",
   "name": "PPTP (Point to Point Tunneling Protocol) Activity",
   "query": "network.transport: tcp and destination.port: 1723",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "d2053495-8fe7-4168-b3df-dad844046be3",
   "severity": "low",
-  "tags": ["Elastic", "network"],
+  "tags": [
+    "Elastic",
+    "network"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0011",
+        "name": "Command and Control",
+        "reference": "https://attack.mitre.org/tactics/TA0011/"
+      },
+      "technique": [
+        {
+          "id": "T1043",
+          "name": "Commonly Used Port",
+          "reference": "https://attack.mitre.org/techniques/T1043/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_proxy_port_activity_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_proxy_port_activity_to_the_internet.json
index 50f521ea91e2b..f7c6ffddcaf9e 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_proxy_port_activity_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_proxy_port_activity_to_the_internet.json
@@ -1,7 +1,9 @@
 {
   "description": "This signal detects events that may describe network events of proxy use to the\nInternet. It includes popular HTTP proxy ports and SOCKS proxy ports. Typically\nenvironments will use an internal IP address for a proxy server. It can also\nbe used to circumvent network controls and detection mechanisms.\n",
+  "false_positives": [
+    "Some proxied applications may use these ports but this usually occurs in local traffic using private IPs which this rule does not match. Proxies are widely used as a security technology but in enterprise environments this is usually local traffic which this rule does not match. Internet proxy services using these ports can be white-listed if desired. Some screen recording applications may use these ports. Proxy port activity involving an unusual source or destination may be more suspicious. Some cloud environments may use this port when VPNs or direct connects are not in use and cloud instances are accessed across the Internet. Because these ports are in the ephemeral range, this rule may false under certain conditions such as when a NATed web server replies to a client which has used a port in the range by coincidence. In this case, such servers can be excluded if desired."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "Proxy Port Activity to the Internet",
   "query": "network.transport: tcp and destination.port: (3128 or 8080 or 1080) and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 47,
   "rule_id": "ad0e5e75-dd89-4875-8d0a-dfdc1828b5f3",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rdp_remote_desktop_protocol_from_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rdp_remote_desktop_protocol_from_the_internet.json
index edd4aa456974d..76528da19a57c 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rdp_remote_desktop_protocol_from_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rdp_remote_desktop_protocol_from_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects network events that may indicate the use of RDP traffic\nfrom the Internet. RDP is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targetted and\nexploited by threat actors as an initial access or backdoor vector.\n",
+  "description": "This signal detects network events that may indicate the use of RDP traffic\nfrom the Internet. RDP is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targeted and\nexploited by threat actors as an initial access or back-door vector.\n",
+  "false_positives": [
+    "Some network security policies allow RDP directly from the Internet but usage that is unfamiliar to server or network owners can be unexpected and suspicious. RDP services may be exposed directly to the Internet in some networks such as cloud environments. In such cases, only RDP gateways, bastions or jump servers may be expected expose RDP directly to the Internet and can be exempted from this rule. RDP may be required by some work-flows such as remote access and support for specialized software products and servers. Such work-flows are usually known and not unexpected."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,23 +13,56 @@
   "language": "kuery",
   "name": "RDP (Remote Desktop Protocol) from the Internet",
   "query": "network.transport: tcp and destination.port: 3389 and (\n    network.direction: inbound or (\n        not source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n        and destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "8c1bdde8-4204-45c0-9e0c-c85ca3902488",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
       "tactic": {
         "id": "TA0011",
-        "name": "Initial Access",
+        "name": "Command and Control",
         "reference": "https://attack.mitre.org/tactics/TA0011/"
       },
+      "technique": [
+        {
+          "id": "T1043",
+          "name": "Commonly Used Port",
+          "reference": "https://attack.mitre.org/techniques/T1043/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0008",
+        "name": "Lateral Movement",
+        "reference": "https://attack.mitre.org/tactics/TA0008/"
+      },
+      "technique": [
+        {
+          "id": "T1190",
+          "name": "Remote Services",
+          "reference": "https://attack.mitre.org/techniques/T1021/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0001",
+        "name": "Initial Access",
+        "reference": "https://attack.mitre.org/tactics/TA0001/"
+      },
       "technique": [
         {
           "id": "T1190",
           "name": "Exploit Public-Facing Application",
-          "reference": "https://attack.mitre.org/techniques/T1043/"
+          "reference": "https://attack.mitre.org/techniques/T1190/"
         }
       ]
     }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rdp_remote_desktop_protocol_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rdp_remote_desktop_protocol_to_the_internet.json
index c9f3f95ad1e07..55b9716af9346 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rdp_remote_desktop_protocol_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rdp_remote_desktop_protocol_to_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects network events that may indicate the use of RDP traffic\nto the Internet. RDP is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targetted and\nexploited by threat actors as an initial access or backdoor vector.\n",
+  "description": "This signal detects network events that may indicate the use of RDP traffic\nto the Internet. RDP is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targeted and\nexploited by threat actors as an initial access or back-door vector.\n",
+  "false_positives": [
+    "RDP connections may be made directly to Internet destinations in order to access Windows cloud server instances but such connections are usually made only by engineers. In such cases, only RDP gateways, bastions or jump servers may be expected Internet destinations and can be exempted from this rule. RDP may be required by some work-flows such as remote access and support for specialized software products and servers. Such work-flows are usually known and not unexpected. Usage that is unfamiliar to server or network owners can be unexpected and suspicious."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "RDP (Remote Desktop Protocol) to the Internet",
   "query": "network.transport: tcp and destination.port: 3389 and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "e56993d2-759c-4120-984c-9ec9bb940fd5",
   "severity": "low",
-  "tags": ["Elastic", "network"],
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
@@ -25,7 +30,7 @@
       },
       "technique": [
         {
-          "id": "T1190",
+          "id": "T1043",
           "name": "Exploit Public-Facing Application",
           "reference": "https://attack.mitre.org/techniques/T1043/"
         }
@@ -36,11 +41,11 @@
       "tactic": {
         "id": "TA0010",
         "name": "Exfiltration",
-        "reference": "https://attack.mitre.org/tactics/TA0011/"
+        "reference": "https://attack.mitre.org/tactics/TA0010/"
       },
       "technique": [
         {
-          "id": "T1043",
+          "id": "T1048",
           "name": "Exfiltration Over Alternative Protocol",
           "reference": "https://attack.mitre.org/techniques/T1048/"
         }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rpc_remote_procedure_call_from_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rpc_remote_procedure_call_from_the_internet.json
index 9f5a60f1743d7..ca6715ac48785 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rpc_remote_procedure_call_from_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rpc_remote_procedure_call_from_the_internet.json
@@ -1,7 +1,6 @@
 {
-  "description": "This signal detects network events that may indicate the use of RPC traffic\nfrom the Internet. RPC is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targetted and\nexploited by threat actors as an initial access or backdoor vector.\n",
+  "description": "This signal detects network events that may indicate the use of RPC traffic\nfrom the Internet. RPC is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targeted and\nexploited by threat actors as an initial access or back-door vector.\n",
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +10,13 @@
   "language": "kuery",
   "name": "RPC (Remote Procedure Call) from the Internet",
   "query": "network.transport: tcp and destination.port: 135 and (\n    network.direction: inbound or (\n        not source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 50,
+  "risk_score": 73,
   "rule_id": "143cb236-0956-4f42-a706-814bcaa0cf5a",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rpc_remote_procedure_call_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rpc_remote_procedure_call_to_the_internet.json
index b860158ef93d3..91db97dabdd46 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rpc_remote_procedure_call_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_rpc_remote_procedure_call_to_the_internet.json
@@ -1,7 +1,6 @@
 {
-  "description": "This signal detects network events that may indicate the use of RPC traffic\nto the Internet. RPC is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targetted and\nexploited by threat actors as an initial access or backdoor vector.\n",
+  "description": "This signal detects network events that may indicate the use of RPC traffic\nto the Internet. RPC is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targeted and\nexploited by threat actors as an initial access or back-door vector.\n",
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +10,13 @@
   "language": "kuery",
   "name": "RPC (Remote Procedure Call) to the Internet",
   "query": "network.transport: tcp and destination.port: 135 and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 50,
+  "risk_score": 73,
   "rule_id": "32923416-763a-4531-bb35-f33b9232ecdb",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
@@ -27,7 +29,7 @@
         {
           "id": "T1190",
           "name": "Exploit Public-Facing Application",
-          "reference": "https://attack.mitre.org/techniques/T1043/"
+          "reference": "https://attack.mitre.org/techniques/T1190/"
         }
       ]
     }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_smb_windows_file_sharing_activity_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_smb_windows_file_sharing_activity_to_the_internet.json
index fa1f1aba66e83..ee47dff73db40 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_smb_windows_file_sharing_activity_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_smb_windows_file_sharing_activity_to_the_internet.json
@@ -1,7 +1,6 @@
 {
-  "description": "This signal detects network events that may indicate the use of Windows\nfile sharing (also called SMB or CIFS) traffic to the Internet. SMB is commonly\nused within networks to share files, printers, and other system resources amongst\ntrusted systems. It should almost never be directly exposed to the Internet, as\nit is frequently targetted and exploited by threat actors as an initial access\nor backdoor vector or for data exfiltration.\n",
+  "description": "This signal detects network events that may indicate the use of Windows\nfile sharing (also called SMB or CIFS) traffic to the Internet. SMB is commonly\nused within networks to share files, printers, and other system resources amongst\ntrusted systems. It should almost never be directly exposed to the Internet, as\nit is frequently targeted and exploited by threat actors as an initial access\nor back-door vector or for data exfiltration.\n",
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +10,13 @@
   "language": "kuery",
   "name": "SMB (Windows File Sharing) Activity to the Internet",
   "query": "network.transport: tcp and destination.port: (139 or 445) and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 50,
+  "risk_score": 73,
   "rule_id": "c82b2bd8-d701-420c-ba43-f11a155b681a",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
@@ -27,7 +29,7 @@
         {
           "id": "T1190",
           "name": "Exploit Public-Facing Application",
-          "reference": "https://attack.mitre.org/techniques/T1043/"
+          "reference": "https://attack.mitre.org/techniques/T1190/"
         }
       ]
     },
@@ -36,7 +38,7 @@
       "tactic": {
         "id": "TA0010",
         "name": "Exfiltration",
-        "reference": "https://attack.mitre.org/tactics/TA0011/"
+        "reference": "https://attack.mitre.org/tactics/TA0010/"
       },
       "technique": [
         {
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_smtp_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_smtp_to_the_internet.json
index 85c8b3f05166c..68daf71d9992a 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_smtp_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_smtp_to_the_internet.json
@@ -1,7 +1,9 @@
 {
   "description": "This signal detects events that may describe SMTP traffic from internal\nhosts to a host across the Internet. In an enterprise network, there is typically\na dedicate host that is internal that could perform this function. It is also\nfrequently abused by threat actors for command and control or data exfiltration.\n",
+  "false_positives": [
+    "NATed servers that process email traffic may false and should be excluded from this rule as this is expected behavior for them. Consumer and / or personal devices may send email traffic to remote Internet destinations; in that case, such devices or networks can be excluded from this rule if this is expected behavior."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "SMTP to the Internet",
   "query": "network.transport: tcp and destination.port: (25 or 465 or 587) and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "67a9beba-830d-4035-bfe8-40b7e28f8ac4",
   "severity": "low",
-  "tags": ["Elastic", "network"],
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
@@ -36,11 +41,11 @@
       "tactic": {
         "id": "TA0010",
         "name": "Exfiltration",
-        "reference": "https://attack.mitre.org/tactics/TA0011/"
+        "reference": "https://attack.mitre.org/tactics/TA0010/"
       },
       "technique": [
         {
-          "id": "T1043",
+          "id": "T1048",
           "name": "Exfiltration Over Alternative Protocol",
           "reference": "https://attack.mitre.org/techniques/T1048/"
         }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_sql_server_port_activity_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_sql_server_port_activity_to_the_internet.json
index e0998029081d3..df779d47246a5 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_sql_server_port_activity_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_sql_server_port_activity_to_the_internet.json
@@ -1,7 +1,9 @@
 {
   "description": "This signal detects events that may describe database traffic\n(MS SQL, Oracle, MySQL, and Postgresql) across the Internet. Databases\nshould almost never be directly exposed to the Internet, as they are\nfrequently targeted by threat actors to gain initial access to network resources.\n",
+  "false_positives": [
+    "Because these ports are in the ephemeral range, this rule may false under certain conditions such as when a NATed web server replies to a client which has used a port in the range by coincidence. In this case, such servers can be excluded if desired. Some cloud environments may use this port when VPNs or direct connects are not in use and database instances are accessed directly across the Internet."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,30 @@
   "language": "kuery",
   "name": "SQL Traffic to the Internet",
   "query": "network.transport: tcp and destination.port: (1433 or 1521 or 3336 or 5432) and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "139c7458-566a-410c-a5cd-f80238d6a5cd",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0011",
+        "name": "Command and Control",
+        "reference": "https://attack.mitre.org/tactics/TA0011/"
+      },
+      "technique": [
+        {
+          "id": "T1043",
+          "name": "Commonly Used Port",
+          "reference": "https://attack.mitre.org/techniques/T1043/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ssh_secure_shell_from_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ssh_secure_shell_from_the_internet.json
index 2428909491584..6c278700450b1 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ssh_secure_shell_from_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ssh_secure_shell_from_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects network events that may indicate the use of SSH traffic\nfrom the Internet. SSH is commonly used by system administrators to remotely\ncontrol a system using the command line shell. If it is exposed to the Internet,\nit should be done with strong security controls as it is frequently targetted and\nexploited by threat actors as an initial access or backdoor vector.\n",
+  "description": "This signal detects network events that may indicate the use of SSH traffic\nfrom the Internet. SSH is commonly used by system administrators to remotely\ncontrol a system using the command line shell. If it is exposed to the Internet,\nit should be done with strong security controls as it is frequently targeted and\nexploited by threat actors as an initial access or back-door vector.\n",
+  "false_positives": [
+    "Some network security policies allow SSH directly from the Internet but usage that is unfamiliar to server or network owners can be unexpected and suspicious. SSH services may be exposed directly to the Internet in some networks such as cloud environments. In such cases, only SSH gateways, bastions or jump servers may be expected expose SSH directly to the Internet and can be exempted from this rule. SSH may be required by some work-flows such as remote access and support for specialized software products and servers. Such work-flows are usually known and not unexpected."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,38 +13,56 @@
   "language": "kuery",
   "name": "SSH (Secure Shell) from the Internet",
   "query": "network.transport: tcp and destination.port:22 and (\n    network.direction: inbound or (\n        not source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 47,
   "rule_id": "ea0784f0-a4d7-4fea-ae86-4baaf27a6f17",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
       "tactic": {
-        "id": "TA0001",
-        "name": "Initial Access",
-        "reference": "https://attack.mitre.org/tactics/TA0001/"
+        "id": "TA0011",
+        "name": "Command and Control",
+        "reference": "https://attack.mitre.org/tactics/TA0011/"
       },
       "technique": [
         {
-          "id": "T1190",
-          "name": "Exploit Public-Facing Application",
-          "reference": "https://attack.mitre.org/techniques/T1190/"
+          "id": "T1043",
+          "name": "Commonly Used Port",
+          "reference": "https://attack.mitre.org/techniques/T1043/"
         }
       ]
     },
     {
       "framework": "MITRE ATT&CK",
       "tactic": {
-        "id": "TA0011",
-        "name": "Command and Control",
-        "reference": "https://attack.mitre.org/tactics/TA0011/"
+        "id": "TA0008",
+        "name": "Lateral Movement",
+        "reference": "https://attack.mitre.org/tactics/TA0008/"
       },
       "technique": [
         {
-          "id": "T1043",
-          "name": "Commonly Used Port",
-          "reference": "https://attack.mitre.org/techniques/T1043/"
+          "id": "T1021",
+          "name": "Remote Services",
+          "reference": "https://attack.mitre.org/techniques/T1021/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0001",
+        "name": "Initial Access",
+        "reference": "https://attack.mitre.org/tactics/TA0001/"
+      },
+      "technique": [
+        {
+          "id": "T1190",
+          "name": "Exploit Public-Facing Application",
+          "reference": "https://attack.mitre.org/techniques/T1190/"
         }
       ]
     }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ssh_secure_shell_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ssh_secure_shell_to_the_internet.json
index cf77f9363f525..63f2dbc8a34f1 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ssh_secure_shell_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_ssh_secure_shell_to_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects network events that may indicate the use of SSH traffic\nfrom the Internet. SSH is commonly used by system administrators to remotely\ncontrol a system using the command line shell. If it is exposed to the Internet,\nit should be done with strong security controls as it is frequently targetted and\nexploited by threat actors as an initial access or backdoor vector.\n",
+  "description": "This signal detects network events that may indicate the use of SSH traffic\nfrom the Internet. SSH is commonly used by system administrators to remotely\ncontrol a system using the command line shell. If it is exposed to the Internet,\nit should be done with strong security controls as it is frequently targeted and\nexploited by threat actors as an initial access or back-door vector.\n",
+  "false_positives": [
+    "SSH connections may be made directly to Internet destinations in order to access Linux cloud server instances but such connections are usually made only by engineers. In such cases, only SSH gateways, bastions or jump servers may be expected Internet destinations and can be exempted from this rule. SSH may be required by some work-flows such as remote access and support for specialized software products and servers. Such work-flows are usually known and not unexpected. Usage that is unfamiliar to server or network owners can be unexpected and suspicious."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "SSH (Secure Shell) to the Internet",
   "query": "network.transport: tcp and destination.port:22 and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 21,
   "rule_id": "6f1500bc-62d7-4eb9-8601-7485e87da2f4",
   "severity": "low",
-  "tags": ["Elastic", "network"],
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_telnet_port_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_telnet_port_activity.json
index a9a364b1b14bd..0d28f0ea53d9a 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_telnet_port_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_telnet_port_activity.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects network events that may indicate the use of Telnet traffic.\nTelnet is commonly used by system administrators to remotely control older or embeded\nsystems using the command line shell. It should almost never be directly exposed to\nthe Internet, as it is frequently targetted and exploited by threat actors as an\ninitial access or backdoor vector. As a plaintext protocol, it may also expose\n",
+  "description": "This signal detects network events that may indicate the use of Telnet traffic.\nTelnet is commonly used by system administrators to remotely control older or embed ed\nsystems using the command line shell. It should almost never be directly exposed to\nthe Internet, as it is frequently targeted and exploited by threat actors as an\ninitial access or back-door vector. As a plain-text protocol, it may also expose\n",
+  "false_positives": [
+    "IoT (Internet of Things) devices and networks may use telnet and can be excluded if desired. Some business work-flows may use Telnet for administration of older devices. These often have a predictable behavior. Telnet activity involving an unusual source or destination may be more suspicious. Telnet activity involving a production server that has no known associated Telnet work-flow or business requirement is often suspicious."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,38 +13,56 @@
   "language": "kuery",
   "name": "Telnet Port Activity",
   "query": "network.transport: tcp and destination.port: 23",
-  "risk_score": 50,
+  "risk_score": 47,
   "rule_id": "34fde489-94b0-4500-a76f-b8a157cf9269",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
       "tactic": {
         "id": "TA0011",
-        "name": "Initial Access",
+        "name": "Command and Control",
         "reference": "https://attack.mitre.org/tactics/TA0011/"
       },
       "technique": [
         {
-          "id": "T1190",
-          "name": "Exploit Public-Facing Application",
+          "id": "T1043",
+          "name": "Commonly Used Port",
           "reference": "https://attack.mitre.org/techniques/T1043/"
         }
       ]
     },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0008",
+        "name": "Lateral Movement",
+        "reference": "https://attack.mitre.org/tactics/TA0008/"
+      },
+      "technique": [
+        {
+          "id": "T1021",
+          "name": "Remote Services",
+          "reference": "https://attack.mitre.org/techniques/T1021/"
+        }
+      ]
+    },
     {
       "framework": "MITRE ATT&CK",
       "tactic": {
         "id": "TA0011",
-        "name": "Command and Control",
+        "name": "Initial Access",
         "reference": "https://attack.mitre.org/tactics/TA0011/"
       },
       "technique": [
         {
-          "id": "T1043",
-          "name": "Commonly Used Port",
-          "reference": "https://attack.mitre.org/techniques/T1043/"
+          "id": "T1190",
+          "name": "Exploit Public-Facing Application",
+          "reference": "https://attack.mitre.org/techniques/T1190/"
         }
       ]
     }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_tor_activity_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_tor_activity_to_the_internet.json
index 811a81c0e6754..80893e9404f02 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_tor_activity_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_tor_activity_to_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects network events that may indicate the use of Tor traffic\nto the Internet. Tor is a network protocol that sends traffic through a\nseries of encrypted tunnels used to conceal a user's location and usage.\nTor may be used by threat actors as an alternate communication pathway to\nconceal the actor's indentity and avoid detection.\n",
+  "description": "This signal detects network events that may indicate the use of Tor traffic\nto the Internet. Tor is a network protocol that sends traffic through a\nseries of encrypted tunnels used to conceal a user's location and usage.\nTor may be used by threat actors as an alternate communication pathway to\nconceal the actor's identity and avoid detection.\n",
+  "false_positives": [
+    "Tor client activity is uncommon in managed enterprise networks but may be common in unmanaged or public networks where few security policies apply. Because these ports are in the ephemeral range, this rule may false under certain conditions such as when a NATed web server replies to a client which has used one of these ports by coincidence. In this case, such servers can be excluded if desired."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "Tor Activity to the Internet",
   "query": "network.transport: tcp and destination.port: (9001 or 9030) and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 47,
   "rule_id": "7d2c38d7-ede7-4bdf-b140-445906e6c540",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
@@ -30,6 +35,21 @@
           "reference": "https://attack.mitre.org/techniques/T1043/"
         }
       ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0011",
+        "name": "Command and Control",
+        "reference": "https://attack.mitre.org/tactics/TA0011/"
+      },
+      "technique": [
+        {
+          "id": "T1188",
+          "name": "Multi-hop Proxy",
+          "reference": "https://attack.mitre.org/techniques/T1188/"
+        }
+      ]
     }
   ],
   "type": "query",
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_vnc_virtual_network_computing_from_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_vnc_virtual_network_computing_from_the_internet.json
index d46ee76ba72b2..e64138dd053fa 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_vnc_virtual_network_computing_from_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_vnc_virtual_network_computing_from_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects network events that may indicate the use of VNC traffic\nfrom the Internet. VNC is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targetted and\nexploited by threat actors as an initial access or backdoor vector.\n",
+  "description": "This signal detects network events that may indicate the use of VNC traffic\nfrom the Internet. VNC is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targeted and\nexploited by threat actors as an initial access or back-door vector.\n",
+  "false_positives": [
+    "VNC connections may be received directly to Linux cloud server instances but such connections are usually made only by engineers. VNC is less common than SSH or RDP but may be required by some work-flows such as remote access and support for specialized software products or servers. Such work-flows are usually known and not unexpected. Usage that is unfamiliar to server or network owners can be unexpected and suspicious."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,38 +13,41 @@
   "language": "kuery",
   "name": "VNC (Virtual Network Computing) from the Internet",
   "query": "network.transport: tcp and (destination.port >= 5800 and destination.port <= 5810) and (\n    network.direction: inbound or (\n        not source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 73,
   "rule_id": "5700cb81-df44-46aa-a5d7-337798f53eb8",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "high",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
       "tactic": {
-        "id": "TA0001",
-        "name": "Initial Access",
+        "id": "TA0011",
+        "name": "Command and Control",
         "reference": "https://attack.mitre.org/tactics/TA0011/"
       },
       "technique": [
         {
-          "id": "T1190",
-          "name": "Exploit Public-Facing Application",
-          "reference": "https://attack.mitre.org/techniques/T1043/"
+          "id": "T1219",
+          "name": "Remote Access Tools",
+          "reference": "https://attack.mitre.org/techniques/T1219/"
         }
       ]
     },
     {
       "framework": "MITRE ATT&CK",
       "tactic": {
-        "id": "TA0011",
-        "name": "Command and Control",
-        "reference": "https://attack.mitre.org/tactics/TA0011/"
+        "id": "TA0001",
+        "name": "Initial Access",
+        "reference": "https://attack.mitre.org/tactics/TA0001/"
       },
       "technique": [
         {
-          "id": "T1043",
-          "name": "Commonly Used Port",
-          "reference": "https://attack.mitre.org/techniques/T1043/"
+          "id": "T1190",
+          "name": "Exploit Public-Facing Application",
+          "reference": "https://attack.mitre.org/techniques/T1190/"
         }
       ]
     }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_vnc_virtual_network_computing_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_vnc_virtual_network_computing_to_the_internet.json
index d820cedc335ab..8c43419c3ead5 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_vnc_virtual_network_computing_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/network_vnc_virtual_network_computing_to_the_internet.json
@@ -1,7 +1,9 @@
 {
-  "description": "This signal detects network events that may indicate the use of VNC traffic\nfrom the Internet. VNC is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targetted and\nexploited by threat actors as an initial access or backdoor vector.\n",
+  "description": "This signal detects network events that may indicate the use of VNC traffic\nto the Internet. VNC is commonly used by system administrators to remotely\ncontrol a system for maintenance or to use shared resources. It should almost\nnever be directly exposed to the Internet, as it is frequently targeted and\nexploited by threat actors as an initial access or back-door vector.\n",
+  "false_positives": [
+    "VNC connections may be made directly to Linux cloud server instances but such connections are usually made only by engineers. VNC is less common than SSH or RDP but may be required by some work flows such as remote access and support for specialized software products or servers. Such work-flows are usually known and not unexpected. Usage that is unfamiliar to server or network owners can be unexpected and suspicious."
+  ],
   "index": [
-    "apm-*-transaction*",
     "auditbeat-*",
     "endgame-*",
     "filebeat-*",
@@ -11,10 +13,13 @@
   "language": "kuery",
   "name": "VNC (Virtual Network Computing) to the Internet",
   "query": "network.transport: tcp and (destination.port >= 5800 and destination.port <= 5810) and (\n    network.direction: outbound or (\n        source.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16) and\n        not destination.ip: (10.0.0.0/8 or 172.16.0.0/12 or 192.168.0.0/16)\n    )\n)\n",
-  "risk_score": 25,
+  "risk_score": 47,
   "rule_id": "3ad49c61-7adc-42c1-b788-732eda2f5abf",
-  "severity": "low",
-  "tags": ["Elastic", "network"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "network"
+  ],
   "threat": [
     {
       "framework": "MITRE ATT&CK",
@@ -25,9 +30,9 @@
       },
       "technique": [
         {
-          "id": "T1043",
-          "name": "Commonly Used Port",
-          "reference": "https://attack.mitre.org/techniques/T1043/"
+          "id": "T1219",
+          "name": "Remote Access Tools",
+          "reference": "https://attack.mitre.org/techniques/T1219/"
         }
       ]
     }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/null_user_agent.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/null_user_agent.json
index 9d787d3ab738f..87a3119ac780d 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/null_user_agent.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/null_user_agent.json
@@ -3,14 +3,6 @@
   "false_positives": [
     "Some normal applications and scripts may contain no user agent. Most legitmate web requests from the Internet contain a user agent string. Requests from web browsers almost always contain a user agent string. If the source is unexpected, or the user is unauthorized, or the request is unusual, these may be suspicious or malicious activity."
   ],
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
   "filters": [
     {
       "$state": {
@@ -29,15 +21,23 @@
       }
     }
   ],
+  "index": [
+    "apm-*-transaction*"
+  ],
   "language": "kuery",
   "max_signals": 33,
   "name": "Web Application Suspicious Activity: No User Agent",
   "query": "url.path: *",
-  "references": ["https://en.wikipedia.org/wiki/User_agent"],
-  "risk_score": 50,
+  "references": [
+    "https://en.wikipedia.org/wiki/User_agent"
+  ],
+  "risk_score": 47,
   "rule_id": "43303fd4-4839-4e48-b2b2-803ab060758d",
-  "severity": "low",
-  "tags": ["Elastic", "apm"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "APM"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/sqlmap_user_agent.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/sqlmap_user_agent.json
index c92b801995837..72d85dcbffc06 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/sqlmap_user_agent.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/sqlmap_user_agent.json
@@ -4,21 +4,21 @@
     "This signal does not indicate that a SQL injection attack occured, only that the sqlmap tool was used. Security scans and tests may result in these errors. If the source is not an authorized security tester, this is generally suspicious or malicious activity."
   ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
+    "apm-*-transaction*"
   ],
   "language": "kuery",
   "name": "Web Application Suspicious Activity: sqlmap User Agent",
   "query": "user_agent.original:\"sqlmap/1.3.11#stable (http://sqlmap.org)\"",
-  "references": ["http://sqlmap.org/"],
-  "risk_score": 50,
+  "references": [
+    "http://sqlmap.org/"
+  ],
+  "risk_score": 47,
   "rule_id": "d49cc73f-7a16-4def-89ce-9fc7127d7820",
-  "severity": "low",
-  "tags": ["Elastic", "apm"],
+  "severity": "medium",
+  "tags": [
+    "Elastic",
+    "APM"
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_background_intelligent_transfer_service_bits_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_background_intelligent_transfer_service_bits_connecting_to_the_internet.json
index 91abe1368b011..9b3784345b013 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_background_intelligent_transfer_service_bits_connecting_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_background_intelligent_transfer_service_bits_connecting_to_the_internet.json
@@ -1,20 +1,51 @@
 {
-  "description": "Windows: Background Intelligent Transfer Service (BITS) Connecting to the Internet",
+  "description": "Adversaries may abuse the Background Intelligent Transfer Service (BITS) to download, execute, or clean up after performing a malicious action.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows: Background Intelligent Transfer Service (BITS) Connecting to the Internet",
+  "max_signals": 33,
+  "name": "Background Intelligent Transfer Service (BITS) connecting to the Internet",
   "query": "process.name:bitsadmin.exe and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "7edadee3-98ae-472c-b1c4-8c0a2c4877cc",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1197",
+          "name": "BITS Jobs",
+          "reference": "https://attack.mitre.org/techniques/T1197/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0003",
+        "name": "Persistence",
+        "reference": "https://attack.mitre.org/tactics/TA0003/"
+      },
+      "technique": [
+        {
+          "id": "T1197",
+          "name": "BITS Jobs",
+          "reference": "https://attack.mitre.org/techniques/T1197/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_burp_ce_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_burp_ce_activity.json
deleted file mode 100644
index f3e62405d6e18..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_burp_ce_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Burp CE activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Burp CE activity",
-  "query": "process.name:BurpSuiteCommunity.exe",
-  "risk_score": 50,
-  "rule_id": "0f09845b-2ec8-4770-8155-7df3d4e402cc",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_certutil_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_certutil_connecting_to_the_internet.json
index 451a1ad4942de..0a960fc427d7b 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_certutil_connecting_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_certutil_connecting_to_the_internet.json
@@ -1,20 +1,36 @@
 {
-  "description": "Windows: Certutil Connecting to the Internet",
+  "description": "Identifies certutil.exe making a network connection. Adversaries could abuse certutil.exe to download a certificate, or malware, from a remote URL.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows: Certutil Connecting to the Internet",
+  "max_signals": 33,
+  "name": "Certutil Network Connection",
   "query": "process.name:certutil.exe and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "1a2cf526-6784-4c51-a2b9-f0adcc05d85c",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0011",
+        "name": "Command and Control",
+        "reference": "https://attack.mitre.org/tactics/TA0011/"
+      },
+      "technique": [
+        {
+          "id": "T1105",
+          "name": "Remote File Copy",
+          "reference": "https://attack.mitre.org/techniques/T1105/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_prompt_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_prompt_connecting_to_the_internet.json
index 6a2a9213a94a9..87dbd4cd70777 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_prompt_connecting_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_prompt_connecting_to_the_internet.json
@@ -1,20 +1,54 @@
 {
-  "description": "Windows: Command Prompt Connecting to the Internet",
+  "description": "Identifies cmd.exe making a network connection. Adversaries could abuse cmd.exe to download or execute malware from a remote URL.",
+  "false_positives": [
+    "Administrators may use the command prompt for regular administrative tasks. It's important to baseline your environment for network connections being made from the command prompt to determine any abnormal use of this tool."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows: Command Prompt Connecting to the Internet",
+  "max_signals": 33,
+  "name": "Command Prompt Network Connection",
   "query": "process.name:cmd.exe and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "89f9a4b0-9f8f-4ee0-8823-c4751a6d6696",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1059",
+          "name": "Command-Line Interface",
+          "reference": "https://attack.mitre.org/techniques/T1059/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0011",
+        "name": "Command and Control",
+        "reference": "https://attack.mitre.org/tactics/TA0011/"
+      },
+      "technique": [
+        {
+          "id": "T1105",
+          "name": "Remote File Copy",
+          "reference": "https://attack.mitre.org/techniques/T1105/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_internet_explorer.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_internet_explorer.json
index 92edd71a665dd..a214ab4544b97 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_internet_explorer.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_internet_explorer.json
@@ -1,20 +1,36 @@
 {
-  "description": "Command shell started by Internet Explorer",
+  "description": "Identifies a suspicious parent child process relationship with cmd.exe spawning form Internet Explorer.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Command shell started by Internet Explorer",
+  "max_signals": 33,
+  "name": "Internet Explorer spawning cmd.exe",
   "query": "process.parent.name:iexplore.exe and process.name:cmd.exe",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "7a6e1e81-deae-4cf6-b807-9a768fff3c06",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1059",
+          "name": "Command-Line Interface",
+          "reference": "https://attack.mitre.org/techniques/T1059/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_powershell.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_powershell.json
index 663b2485fab93..187cc9d344902 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_powershell.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_powershell.json
@@ -1,20 +1,51 @@
 {
-  "description": "Command shell started by Powershell",
+  "description": "Identifies a suspicious parent child process relationship with cmd.exe descending from PowerShell.exe.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Command shell started by Powershell",
+  "max_signals": 33,
+  "name": "PowerShell spawning cmd.exe",
   "query": "process.parent.name:powershell.exe and process.name:cmd.exe",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "0f616aee-8161-4120-857e-742366f5eeb3",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1059",
+          "name": "Command-Line Interface",
+          "reference": "https://attack.mitre.org/techniques/T1059/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1086",
+          "name": "PowerShell",
+          "reference": "https://attack.mitre.org/techniques/T1086/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_svchost.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_svchost.json
index 73ab27a131e3d..81114bf8b8766 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_svchost.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_command_shell_started_by_svchost.json
@@ -1,20 +1,36 @@
 {
-  "description": "Command shell started by Svchost",
+  "description": "Identifies a suspicious parent child process relationship with cmd.exe descending from svchost.exe",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Command shell started by Svchost",
+  "max_signals": 33,
+  "name": "Svchost spawning cmd.exe",
   "query": "process.parent.name:svchost.exe and process.name:cmd.exe",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "fd7a6052-58fa-4397-93c3-4795249ccfa2",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1059",
+          "name": "Command-Line Interface",
+          "reference": "https://attack.mitre.org/techniques/T1059/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_commands.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_commands.json
deleted file mode 100644
index 9516b80412582..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_commands.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Credential Dumping Commands",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Credential Dumping Commands",
-  "query": "event.code: 1 and process.args:*Invoke-Mimikatz-DumpCreds* or process.args:*gsecdump* or process.args:*wce* or (process.args:*procdump* and process.args:*lsass*) or (process.args:*ntdsutil* and process.args:*ntds*ifm*create*)",
-  "risk_score": 50,
-  "rule_id": "66885745-ea38-432c-9edb-599b943948d4",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_via_imageload.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_via_imageload.json
deleted file mode 100644
index 06a9de8f20720..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_via_imageload.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Credential Dumping via ImageLoad",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Credential Dumping via ImageLoad",
-  "query": "event.code:7 and not process.name:Sysmon.exe and not process.name:Sysmon64.exe and not process.name:svchost.exe and not process.name:logonui.exe and (file.path:*samlib.dll* or file.path:*WinSCard.dll* or file.path:*cryptdll.dll* or file.path:*hid.dll* or file.path:*vaultcli.dll*)",
-  "risk_score": 50,
-  "rule_id": "f872647c-d070-4b1c-afcc-055f081d9205",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_via_registry_save.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_via_registry_save.json
deleted file mode 100644
index a19646d2f83cf..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_credential_dumping_via_registry_save.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Credential Dumping via Registry Save",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Credential Dumping via Registry Save",
-  "query": "event.code: 1 and process.name:reg.exe and process.args:*save* and (process.args:*sam* or process.args:*system*)",
-  "risk_score": 50,
-  "rule_id": "9f6fb56f-4bbd-404e-b955-49dfba7c0e68",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_data_compression_using_powershell.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_data_compression_using_powershell.json
deleted file mode 100644
index 9be27cbec023f..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_data_compression_using_powershell.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Data Compression Using Powershell",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Data Compression Using Powershell",
-  "query": "event.code: 1 and process.name:powershell.exe and (process.args:*Recurse* and process.args:*Compress-Archive*)",
-  "risk_score": 50,
-  "rule_id": "bc913943-e1f9-4bf5-a593-caca7c2eb0c3",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_decoding_using_certutil.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_decoding_using_certutil.json
deleted file mode 100644
index a4126a9b45ec9..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_decoding_using_certutil.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Defense Evasion - Decoding Using Certutil",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Defense Evasion - Decoding Using Certutil",
-  "query": "event.code:1 and process.name:attrib.exe and (process.args:*+h* or process.args:*+s*)",
-  "risk_score": 50,
-  "rule_id": "d9642bf2-87d0-45c2-8781-2bd2017cdbb8",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_or_persistence_via_hidden_files.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_or_persistence_via_hidden_files.json
deleted file mode 100644
index edba96cbcc37b..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_or_persistence_via_hidden_files.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Defense Evasion or Persistence via Hidden Files",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Defense Evasion or Persistence via Hidden Files",
-  "query": "event.code:1 and process.name:attrib.exe and (process.args:\"+h\" or process.args:\"+s\")",
-  "risk_score": 50,
-  "rule_id": "340a0063-baba-447b-8396-26a5cc1eb684",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_via_filter_manager.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_via_filter_manager.json
index 56c2a3ecd7eaf..7c999c1fc1e03 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_via_filter_manager.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_via_filter_manager.json
@@ -1,20 +1,37 @@
 {
-  "description": "Windows Defense evasion via Filter Manager",
+  "description": "The Filter Manager Control Program (fltMC.exe) binary may be abused by adversaries to unload a filter driver and evade defenses.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Defense evasion via Filter Manager",
+  "max_signals": 33,
+  "name": "Potential Evasion via Filter Manager",
   "query": "event.code:1 and process.name:fltmc.exe",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "06dceabf-adca-48af-ac79-ffdf4c3b1e9a",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "D-SA",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1222",
+          "name": "File and Directory Permissions Modification",
+          "reference": "https://attack.mitre.org/techniques/T1222/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_via_windows_event_log_tools.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_via_windows_event_log_tools.json
deleted file mode 100644
index 2f25c7282a87d..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_defense_evasion_via_windows_event_log_tools.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Defense Evasion via Windows Event Log Tools",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Defense Evasion via Windows Event Log Tools",
-  "query": "event.code:1 and process.name:wevtutil.exe",
-  "risk_score": 50,
-  "rule_id": "07979a67-ab4d-460f-9ff3-bf1352de6762",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_compiled_html_file.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_compiled_html_file.json
index 079d33bf0f676..62c8942dda9c3 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_compiled_html_file.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_compiled_html_file.json
@@ -1,20 +1,54 @@
 {
-  "description": "Windows Execution via Compiled HTML File",
+  "description": "Compiled HTML files (.chm) are commonly distributed as part of the Microsoft HTML Help system. Adversaries may conceal malicious code in a CHM file and deliver it to a victim for execution. CHM content is loaded by the HTML Help executable program (hh.exe).",
+  "false_positives": [
+    "The HTML Help executable program (hh.exe) runs whenever a user clicks a compiled help (.chm) file or menu item that opens the help file inside the Help Viewer. This is not always malicious, but adversaries may abuse this technology to conceal malicious code."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Execution via Compiled HTML File",
+  "max_signals": 33,
+  "name": "Process Activity via Compiled HTML File",
   "query": "event.code:1 and process.name:hh.exe",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "e3343ab9-4245-4715-b344-e11c56b0a47f",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1223",
+          "name": "Compiled HTML File",
+          "reference": "https://attack.mitre.org/techniques/T1223/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1223",
+          "name": "Compiled HTML File",
+          "reference": "https://attack.mitre.org/techniques/T1223/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_connection_manager.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_connection_manager.json
index 9c8a4f4b47dce..657487232fe81 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_connection_manager.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_connection_manager.json
@@ -1,20 +1,37 @@
 {
-  "description": "Windows Execution via Connection Manager",
+  "description": "Various Windows utilities may be used to execute commands, possibly without invoking cmd.exe, including the Program Compatibility Assistant (pcalua.exe) or forfiles.exe.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Execution via Connection Manager",
+  "max_signals": 33,
+  "name": "Indirect Command Execution",
   "query": "event.code:1 and process.parent.name:pcalua.exe or (process.name:bash.exe or process.name:forfiles.exe or process.name:pcalua.exe)",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "f2728299-167a-489c-913c-2e0955ac3c40",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "D-SA",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1202",
+          "name": "Indirect Command Execution",
+          "reference": "https://attack.mitre.org/techniques/T1202/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_microsoft_html_application_hta.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_microsoft_html_application_hta.json
deleted file mode 100644
index d986ccbb865f8..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_microsoft_html_application_hta.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Execution via Microsoft HTML Application (HTA)",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Execution via Microsoft HTML Application (HTA)",
-  "query": "event.code:1 and (process.parent.args:*mshta* or process.args:*mshta*)",
-  "risk_score": 50,
-  "rule_id": "b007cc82-c522-48d1-b7a7-53f63c50c494",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_net_com_assemblies.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_net_com_assemblies.json
index 26e99cbb59e48..80d91fa515342 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_net_com_assemblies.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_net_com_assemblies.json
@@ -1,20 +1,40 @@
 {
-  "description": "Windows Execution via .NET COM Assemblies",
+  "description": "Adversaries can use Regsvcs.exe and Regasm.exe to proxy execution of code through a trusted Windows utility.",
+  "false_positives": [
+    "Administrators may use the command prompt for regular administrative tasks. It's important to baseline your environment for network connections being made from the command prompt to determine any abnormal use of this tool."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Execution via .NET COM Assemblies",
+  "max_signals": 33,
+  "name": "Execution via Regsvcs/Regasm",
   "query": "event.code:1 and (process.name:regasm.exe or process.name:regsvcs.exe)",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "5c12412f-602c-4120-8c4f-69d723dbba04",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "D-SA",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1121",
+          "name": "Regsvcs/Regasm",
+          "reference": "https://attack.mitre.org/techniques/T1121/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_regsvr32.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_regsvr32.json
index 06d4a075c4e6b..6b2c54d527963 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_regsvr32.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_regsvr32.json
@@ -1,20 +1,51 @@
 {
-  "description": "Windows Execution via Regsvr32",
+  "description": "Identifies scrobj.dll loaded into unusual Microsoft processes. This may indicate a malicious scriptlet is being executed in the target process.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Execution via Regsvr32",
+  "max_signals": 33,
+  "name": "Suspicious Script Object Execution",
   "query": "event.code: 1 and scrobj.dll and (process.name:certutil.exe or process.name:regsvr32.exe or process.name:rundll32.exe)",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "b7333d08-be4b-4cb4-b81e-924ae37b3143",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1064",
+          "name": "Scripting",
+          "reference": "https://attack.mitre.org/techniques/T1064/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1064",
+          "name": "Scripting",
+          "reference": "https://attack.mitre.org/techniques/T1064/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_trusted_developer_utilities.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_trusted_developer_utilities.json
index bc3ebf38181a0..e722d311b86c7 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_trusted_developer_utilities.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_execution_via_trusted_developer_utilities.json
@@ -1,20 +1,55 @@
 {
-  "description": "Windows Execution via Trusted Developer Utilities",
+  "description": "Identifies possibly suspicious activity using trusted Windows developer activity.",
+  "false_positives": [
+    "These programs may be used by Windows developers but use by non-engineers is unusual."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Execution via Trusted Developer Utilities",
+  "max_signals": 33,
+  "name": "Trusted Developer Application Usage",
   "query": "event.code:1 and (process.name:MSBuild.exe or process.name:msxsl.exe)",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "9d110cb3-5f4b-4c9a-b9f5-53f0a1707ae1",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "D-SA",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1127",
+          "name": "Trusted Developer Utilities",
+          "reference": "https://attack.mitre.org/techniques/T1127/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1127",
+          "name": "Trusted Developer Utilities",
+          "reference": "https://attack.mitre.org/techniques/T1127/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_html_help_executable_program_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_html_help_executable_program_connecting_to_the_internet.json
index cec9fe4a4aebe..2b4d774281b84 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_html_help_executable_program_connecting_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_html_help_executable_program_connecting_to_the_internet.json
@@ -1,20 +1,51 @@
 {
-  "description": "Windows: HTML Help executable Program Connecting to the Internet",
+  "description": "Compiled HTML files (.chm) are commonly distributed as part of the Microsoft HTML Help system. Adversaries may conceal malicious code in a CHM file and deliver it to a victim for execution. CHM content is loaded by the HTML Help executable program (hh.exe).",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows: HTML Help executable Program Connecting to the Internet",
+  "max_signals": 33,
+  "name": "Network Connection via Compiled HTML File",
   "query": "process.name:hh.exe and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "b29ee2be-bf99-446c-ab1a-2dc0183394b8",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1223",
+          "name": "Compiled HTML File",
+          "reference": "https://attack.mitre.org/techniques/T1223/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1223",
+          "name": "Compiled HTML File",
+          "reference": "https://attack.mitre.org/techniques/T1223/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_image_load_from_a_temp_directory.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_image_load_from_a_temp_directory.json
deleted file mode 100644
index 3e80b58377af6..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_image_load_from_a_temp_directory.json
+++ /dev/null
@@ -1,47 +0,0 @@
-{
-  "description": "Windows image load from a temp directory",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "filters": [
-    {
-      "$state": {
-        "store": "appState"
-      },
-      "meta": {
-        "alias": null,
-        "disabled": false,
-        "indexRefName": "kibanaSavedObjectMeta.searchSourceJSON.filter[0].meta.index",
-        "key": "event.action",
-        "negate": false,
-        "params": {
-          "query": "Image loaded (rule: ImageLoad)"
-        },
-        "type": "phrase",
-        "value": "Image loaded (rule: ImageLoad)"
-      },
-      "query": {
-        "match": {
-          "event.action": {
-            "query": "Image loaded (rule: ImageLoad)",
-            "type": "phrase"
-          }
-        }
-      }
-    }
-  ],
-  "language": "kuery",
-  "name": "Windows image load from a temp directory",
-  "query": "file.path:Temp",
-  "risk_score": 50,
-  "rule_id": "f23e4cc7-6825-4a28-b27a-e67437a9a806",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_indirect_command_execution.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_indirect_command_execution.json
deleted file mode 100644
index a7f22358a11d9..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_indirect_command_execution.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Indirect Command Execution",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Indirect Command Execution",
-  "query": "event.code:1 and process.parent.name:pcalua.exe or (process.name:bash.exe or process.name:forfiles.exe or process.name:pcalua.exe)",
-  "risk_score": 50,
-  "rule_id": "ff969842-c573-4e69-8e12-02fb303290f2",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_iodine_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_iodine_activity.json
deleted file mode 100644
index 8aae9dc83a1cd..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_iodine_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Iodine activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Iodine activity",
-  "query": "event.code: 1 and process.name:iodine.exe or process.name:iodined.exe",
-  "risk_score": 50,
-  "rule_id": "fcbbf0b2-99c5-4c7f-8411-dc9ee392e43f",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_management_instrumentation_wmi_execution.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_management_instrumentation_wmi_execution.json
deleted file mode 100644
index da525a8573264..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_management_instrumentation_wmi_execution.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Management Instrumentation (WMI) Execution",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Management Instrumentation (WMI) Execution",
-  "query": "event.code:1 and (process.parent.args:*wmiprvse.exe* or process.name:wmic.exe or process.args:*wmic* )",
-  "risk_score": 50,
-  "rule_id": "cec5eb81-6e01-40e5-a1bf-bf175cce4eb4",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_microsoft_html_application_hta_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_microsoft_html_application_hta_connecting_to_the_internet.json
deleted file mode 100644
index 2f7a8dbee7c80..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_microsoft_html_application_hta_connecting_to_the_internet.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows: Microsoft HTML Application (HTA) Connecting to the Internet",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows: Microsoft HTML Application (HTA) Connecting to the Internet",
-  "query": "process.name:mshta.exe and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
-  "rule_id": "b084514b-e8ba-4bc4-bc2b-50fe145a4215",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_mimikatz_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_mimikatz_activity.json
deleted file mode 100644
index 64641bb539cb9..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_mimikatz_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Mimikatz activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Mimikatz activity",
-  "query": "event.code: 1 and process.name:mimikatz.exe",
-  "risk_score": 50,
-  "rule_id": "5346463d-062f-419d-88ff-7a5e97875210",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_misc_lolbin_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_misc_lolbin_connecting_to_the_internet.json
index bb08cd4023e6a..8a4cb75588bff 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_misc_lolbin_connecting_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_misc_lolbin_connecting_to_the_internet.json
@@ -1,20 +1,51 @@
 {
-  "description": "Windows: Misc LOLBin Connecting to the Internet",
+  "description": "Binaries signed with trusted digital certificates can execute on Windows systems protected by digital signature validation. Adversaries may use these binaries to 'live off the land' and execute malicious files that could bypass application whitelisting and signature validation.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows: Misc LOLBin Connecting to the Internet",
+  "max_signals": 33,
+  "name": "Network Connection via Signed Binary",
   "query": "(process.name:expand.exe or process.name:extrac.exe or process.name:ieexec.exe or process.name:makecab.exe) and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "63e65ec3-43b1-45b0-8f2d-45b34291dc44",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1218",
+          "name": "Signed Binary Proxy Execution",
+          "reference": "https://attack.mitre.org/techniques/T1218/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1218",
+          "name": "Signed Binary Proxy Execution",
+          "reference": "https://attack.mitre.org/techniques/T1218/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_net_command_activity_by_the_system_account.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_net_command_activity_by_the_system_account.json
index fce37db4fae3d..5b3257daec8fb 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_net_command_activity_by_the_system_account.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_net_command_activity_by_the_system_account.json
@@ -1,20 +1,36 @@
 {
-  "description": "Windows net command activity by the SYSTEM account",
+  "description": "Identifies attempts to create new users via the SYSTEM account.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows net command activity by the SYSTEM account",
+  "max_signals": 33,
+  "name": "Net command via SYSTEM account",
   "query": "process.name: (net.exe or net1.exe) and user.name:SYSTEM",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "c3f5dc81-a8b4-4144-95a7-d0a818d7355d",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0003",
+        "name": "Persistence",
+        "reference": "https://attack.mitre.org/tactics/TA0003/"
+      },
+      "technique": [
+        {
+          "id": "T1136",
+          "name": "Create Account",
+          "reference": "https://attack.mitre.org/techniques/T1136/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_net_user_command_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_net_user_command_activity.json
deleted file mode 100644
index 555bb4afb0c10..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_net_user_command_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows net user command activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows net user command activity",
-  "query": "process.name:net.exe and process.args:user and event.code:1",
-  "risk_score": 50,
-  "rule_id": "b039a69d-7fba-4c84-8029-57ac12548a15",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_netcat_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_netcat_activity.json
deleted file mode 100644
index 288bc6dd2375b..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_netcat_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Netcat activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Netcat activity",
-  "query": "process.name:ncat.exe and event.code:1",
-  "risk_score": 50,
-  "rule_id": "e2437364-0c89-4e65-a34b-782cfbb7690b",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_netcat_network_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_netcat_network_activity.json
deleted file mode 100644
index a533cd36ffdcf..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_netcat_network_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Netcat network activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Netcat network activity",
-  "query": "process.name:ncat.exe and event.action:\"Network connection detected (rule: NetworkConnect)\"",
-  "risk_score": 50,
-  "rule_id": "ebdc4b6f-7fdb-4c21-bbd6-59e1ed11024a",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_network_anomalous_windows_process_using_https_ports.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_network_anomalous_windows_process_using_https_ports.json
deleted file mode 100644
index 173e5191d9e65..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_network_anomalous_windows_process_using_https_ports.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Network - Anomalous Windows Process Using HTTP/S Ports",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Network - Anomalous Windows Process Using HTTP/S Ports",
-  "query": "(destination.port:443 or destination.port:80) and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16 and not process.name:chrome.exe and not process.name:explorer.exe and not process.name:filebeat.exe and not process.name:firefox.exe and not process.name:iexplore.exe and not process.name:jusched.exe and not process.name:MpCmdRun.exe and not process.name:MpSigStub.exe and not process.name:msfeedssync.exe and not process.name:packetbeat.exe and not process.name:powershell.exe and not process.name:procexp64.exe and not process.name:svchost.exe and not process.name:taskhostw.exe and not process.name:winlogbeat.exe",
-  "risk_score": 50,
-  "rule_id": "b486fa9e-e6c7-44a1-b07d-7d5f07f21ce1",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_nmap_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_nmap_activity.json
deleted file mode 100644
index dc231e5edce1e..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_nmap_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows nmap activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows nmap activity",
-  "query": "process.name:nmap.exe and event.code:1",
-  "risk_score": 50,
-  "rule_id": "5a4b2a98-31a6-4852-b224-d63aeb9e172d",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_nmap_scan_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_nmap_scan_activity.json
deleted file mode 100644
index ccd49169e6497..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_nmap_scan_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows nmap scan activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows nmap scan activity",
-  "query": "process.name:nmap.exe and event.action:\"Network connection detected (rule: NetworkConnect)\"",
-  "risk_score": 50,
-  "rule_id": "54413985-a3da-4f45-b238-75afb65a1bae",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_payload_obfuscation_via_certutil.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_payload_obfuscation_via_certutil.json
deleted file mode 100644
index f7a331ca01474..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_payload_obfuscation_via_certutil.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Payload Obfuscation via Certutil",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Payload Obfuscation via Certutil",
-  "query": "event.code:1 and process.name:certutil.exe and (process.args:*encode* or process.args:*ToBase64String*)",
-  "risk_score": 50,
-  "rule_id": "ce7c270c-c69b-47dd-8c21-60a35e92f372",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_or_priv_escalation_via_hooking.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_or_priv_escalation_via_hooking.json
deleted file mode 100644
index 379cab0f07438..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_or_priv_escalation_via_hooking.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Persistence or Priv Escalation via Hooking",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Persistence or Priv Escalation via Hooking",
-  "query": "event.code:1 and process.name:mavinject.exe and processs.args:*INJECTRUNNING*",
-  "risk_score": 50,
-  "rule_id": "015f070d-cf70-437c-99d1-472e31d36b03",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_application_shimming.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_application_shimming.json
index ca5daf772a22e..2c10382cdbc7c 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_application_shimming.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_application_shimming.json
@@ -1,20 +1,52 @@
 {
-  "description": "Windows Persistence via Application Shimming",
+  "description": "The Application Shim was created to allow for backward compatibility of software as the operating system codebase changes over time. This Windows functionality has been abused by attackers to stealthily gain persistence and arbitrary code execution in legitimate Windows processes.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Persistence via Application Shimming",
+  "max_signals": 33,
+  "name": "Potential Application Shimming via Sdbinst",
   "query": "event.code:1 and process.name:sdbinst.exe",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "fd4a992d-6130-4802-9ff8-829b89ae801f",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "D-SA",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0003",
+        "name": "Persistence",
+        "reference": "https://attack.mitre.org/tactics/TA0003/"
+      },
+      "technique": [
+        {
+          "id": "T1138",
+          "name": "Application Shimming",
+          "reference": "https://attack.mitre.org/techniques/T1138/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0004",
+        "name": "Privilege Escalation",
+        "reference": "https://attack.mitre.org/tactics/TA0004/"
+      },
+      "technique": [
+        {
+          "id": "T1138",
+          "name": "Application Shimming",
+          "reference": "https://attack.mitre.org/techniques/T1138/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_bits_jobs.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_bits_jobs.json
deleted file mode 100644
index 4c6515f33fad0..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_bits_jobs.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Persistence via BITS Jobs",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Persistence via BITS Jobs",
-  "query": "event.code:1 and (process.name:bitsadmin.exe or process.args:*Start-BitsTransfer*)",
-  "risk_score": 50,
-  "rule_id": "7904fb20-172c-43fb-83e4-bfe27e3c702c",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_modification_of_existing_service.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_modification_of_existing_service.json
deleted file mode 100644
index 01b56a1ecd1e0..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_modification_of_existing_service.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Persistence via Modification of Existing Service",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Persistence via Modification of Existing Service",
-  "query": "event.code:1 and process.args:*sc*config*binpath* and (process.name:cmd.exe or process.name:powershell.exe or process.name:sc.exe)",
-  "risk_score": 50,
-  "rule_id": "3bb04809-84ab-4487-bd99-ccc58675bd40",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_netshell_helper_dll.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_netshell_helper_dll.json
deleted file mode 100644
index 50b31aa7033eb..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_persistence_via_netshell_helper_dll.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Persistence via Netshell Helper DLL",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Persistence via Netshell Helper DLL",
-  "query": "event.code:1 and process.name:netsh.exe and process.args:*helper*",
-  "risk_score": 50,
-  "rule_id": "d7c2561d-2758-46ad-b5a9-247efb9eea21",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_powershell_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_powershell_connecting_to_the_internet.json
deleted file mode 100644
index 5198f85b999ac..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_powershell_connecting_to_the_internet.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows: Powershell Connecting to the Internet",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows: Powershell Connecting to the Internet",
-  "query": "process.name:powershell.exe and event.action:\"Network connection detected (rule: NetworkConnect)\"  and not destination.ip:169.254.169.254/32 and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
-  "rule_id": "a8cfa646-e4d8-48b5-884e-6204ba77fc8d",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_priv_escalation_via_accessibility_features.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_priv_escalation_via_accessibility_features.json
index f24460373f55d..23d05aaf526e3 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_priv_escalation_via_accessibility_features.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_priv_escalation_via_accessibility_features.json
@@ -1,20 +1,52 @@
 {
-  "description": "Windows Priv Escalation via Accessibility Features",
+  "description": "Windows contains accessibility features that may be launched with a key combination before a user has logged in. An adversary can modify the way these programs are launched to get a command prompt or backdoor without logging in to the system.",
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Priv Escalation via Accessibility Features",
+  "max_signals": 33,
+  "name": "Potential Modification of Accessibility Binaries",
   "query": "event.code:1 and process.parent.name:winlogon.exe and (process.name:atbroker.exe or process.name:displayswitch.exe or process.name:magnify.exe or process.name:narrator.exe or process.name:osk.exe or process.name:sethc.exe or process.name:utilman.exe)",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "7405ddf1-6c8e-41ce-818f-48bea6bcaed8",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "D-SA",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0003",
+        "name": "Persistence",
+        "reference": "https://attack.mitre.org/tactics/TA0003/"
+      },
+      "technique": [
+        {
+          "id": "T1015",
+          "name": "Accessibility Features",
+          "reference": "https://attack.mitre.org/techniques/T1015/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0004",
+        "name": "Privilege Escalation",
+        "reference": "https://attack.mitre.org/tactics/TA0004/"
+      },
+      "technique": [
+        {
+          "id": "T1015",
+          "name": "Accessibility Features",
+          "reference": "https://attack.mitre.org/techniques/T1015/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_discovery_via_tasklist_command.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_discovery_via_tasklist_command.json
index fd2bfcf216bf3..5f5215ddff8c6 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_discovery_via_tasklist_command.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_discovery_via_tasklist_command.json
@@ -1,20 +1,40 @@
 {
-  "description": "Windows Process Discovery via Tasklist Command",
+  "description": "Adversaries may attempt to get information about running processes on a system.",
+  "false_positives": [
+    "Administrators may use the tasklist command to display a list of currently running processes. By itself, it does not indicate malicious activity. After obtaining a foothold, it's possible adversaries may use discovery commands like tasklist to get information about running processes."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Process Discovery via Tasklist Command",
+  "max_signals": 33,
+  "name": "Process Discovery via Tasklist",
   "query": "event.code:1 and process.name:tasklist.exe",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "cc16f774-59f9-462d-8b98-d27ccd4519ec",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "D-SA",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0007",
+        "name": "Discovery",
+        "reference": "https://attack.mitre.org/tactics/TA0007/"
+      },
+      "technique": [
+        {
+          "id": "T1057",
+          "name": "Process Discovery",
+          "reference": "https://attack.mitre.org/techniques/T1057/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_execution_via_wmi.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_execution_via_wmi.json
index 1e14de81b7cb2..6d6343330a7ff 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_execution_via_wmi.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_execution_via_wmi.json
@@ -1,20 +1,39 @@
 {
-  "description": "Process Execution via WMI",
+  "description": "Identifies use of scrcons.exe, which is a Windows Management Instrumentation (WMI) Standard Event Consumer scripting application.",
+  "false_positives": [
+    " Windows Management Instrumentation (WMI) processes can be used for an array of administrative capabilities. It's important to baseline your environment to determine any abnormal use of this tool."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Process Execution via WMI",
+  "max_signals": 33,
+  "name": "Execution via Scrcons",
   "query": "process.name:scrcons.exe",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "7e6cd4b9-6346-4683-b3e6-6a3e66f3208f",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1047",
+          "name": "Windows Management Instrumentation",
+          "reference": "https://attack.mitre.org/techniques/T1047/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_acrobat_reader_possible_payload.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_acrobat_reader_possible_payload.json
deleted file mode 100644
index 973a7df57f712..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_acrobat_reader_possible_payload.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Process started by Acrobat reader - possible payload",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Process started by Acrobat reader - possible payload",
-  "query": "process.parent.name:AcroRd32.exe and event.code:1",
-  "risk_score": 50,
-  "rule_id": "b6422896-b6e3-45c3-9d9e-4eccb2a25270",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_ms_office_program_possible_payload.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_ms_office_program_possible_payload.json
deleted file mode 100644
index cb7b234c21f8c..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_ms_office_program_possible_payload.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Process started by MS Office program - possible payload",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Process started by MS Office program - possible payload",
-  "query": "process.parent.name:EXCEL.EXE or process.parent.name:MSPUB.EXE or process.parent.name:OUTLOOK.EXE or process.parent.name:POWERPNT.EXE or process.parent.name:VISIO.EXE or process.parent.name:WINWORD.EXE and event.code:1",
-  "risk_score": 50,
-  "rule_id": "838dcec6-ce9a-4cdd-9ca8-f6512cf6d559",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_the_java_runtime.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_the_java_runtime.json
deleted file mode 100644
index c684be0732064..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_process_started_by_the_java_runtime.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows process started by the Java runtime",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows process started by the Java runtime",
-  "query": "process.parent.name:javaw.exe and event.code:1",
-  "risk_score": 50,
-  "rule_id": "159168a1-b1d0-4e5c-ad72-c1e9ae2edec2",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_psexec_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_psexec_activity.json
deleted file mode 100644
index e4c91b6f89cd4..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_psexec_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "PSexec activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "PSexec activity",
-  "query": "process.name:PsExec.exe or process.name:PsExec64.exe",
-  "risk_score": 50,
-  "rule_id": "3e61ab8b-0f39-4d2e-ab64-332f0d0b3ad7",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_register_server_program_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_register_server_program_connecting_to_the_internet.json
index a106eda988e94..b35e016be15d7 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_register_server_program_connecting_to_the_internet.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_register_server_program_connecting_to_the_internet.json
@@ -1,20 +1,54 @@
 {
-  "description": "Windows: Register Server Program Connecting to the Internet",
+  "description": "Identifies the native Windows tools regsvr32.exe and regsvr64.exe making a network connection.  This may be indicative of an attacker bypassing whitelisting or running arbitrary scripts via a signed Microsoft binary.",
+  "false_positives": [
+    "Security testing may produce events like this. Activity of this kind performed by non-engineers and ordinary users is unusual."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows: Register Server Program Connecting to the Internet",
+  "max_signals": 33,
+  "name": "Network Connection via Regsvr",
   "query": "(process.name:regsvr32.exe or process.name:regsvr64.exe) and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:169.254.169.254/32 and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "fb02b8d3-71ee-4af1-bacd-215d23f17efa",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1117",
+          "name": "Regsvr32",
+          "reference": "https://attack.mitre.org/techniques/T1117/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1117",
+          "name": "Regsvr32",
+          "reference": "https://attack.mitre.org/techniques/T1117/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_registry_query_local.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_registry_query_local.json
deleted file mode 100644
index 49642d271d4ea..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_registry_query_local.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Registry Query, Local",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Registry Query, Local",
-  "query": "event.code: 1 and process.name:reg.exe and process.args:*query* and process.args:*reg*",
-  "risk_score": 50,
-  "rule_id": "b9074c74-6d23-4b07-927e-cc18b318a088",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_registry_query_network.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_registry_query_network.json
deleted file mode 100644
index 884deb7645a67..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_registry_query_network.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Registry Query, Network",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Registry Query, Network",
-  "query": "event.code: 1 and process.name:reg.exe and process.args:*query* and process.args:*reg*",
-  "risk_score": 50,
-  "rule_id": "f5412e37-981e-4d37-a1b2-eddaf797445a",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_remote_management_execution.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_remote_management_execution.json
deleted file mode 100644
index 08d96ad741502..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_remote_management_execution.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Remote Management Execution",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Remote Management Execution",
-  "query": "(process.name:wsmprovhost.exe or process.name:winrm.cmd) and (process.args:*Enable-PSRemoting -Force* or process.args:*Invoke-Command -computer_name* or process.args:*wmic*node*process call create*)",
-  "risk_score": 50,
-  "rule_id": "ced66221-3e07-40ee-8588-5f107e7d50d8",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_scheduled_task_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_scheduled_task_activity.json
deleted file mode 100644
index 56f5b71ceb510..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_scheduled_task_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Scheduled Task Activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Scheduled Task Activity",
-  "query": "event.code:1 and (process.name:schtasks.exe or process.name:taskeng.exe) or (event.code:1 and process.name:svchost.exe and not process.parent.executable: \"C:\\Windows\\System32\\services.exe\" )",
-  "risk_score": 50,
-  "rule_id": "a1abd54d-3021-4f21-b2d1-0c6bc5c4051f",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_script_interpreter_connecting_to_the_internet.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_script_interpreter_connecting_to_the_internet.json
deleted file mode 100644
index a700ac0a48bc2..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_script_interpreter_connecting_to_the_internet.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows: Script Interpreter Connecting to the Internet",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows: Script Interpreter Connecting to the Internet",
-  "query": "(process.name:cscript.exe or process.name:wscript.exe) and event.action:\"Network connection detected (rule: NetworkConnect)\" and not destination.ip:10.0.0.0/8 and not destination.ip:172.16.0.0/12 and not destination.ip:192.168.0.0/16",
-  "risk_score": 50,
-  "rule_id": "2cc4597c-b0c9-4481-b1a6-e6c05cfc9f02",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_signed_binary_proxy_execution.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_signed_binary_proxy_execution.json
index 1dc62c7b5db42..cf5135cc490eb 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_signed_binary_proxy_execution.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_signed_binary_proxy_execution.json
@@ -1,20 +1,54 @@
 {
-  "description": "Windows Signed Binary Proxy Execution",
+  "description": "Binaries signed with trusted digital certificates can execute on Windows systems protected by digital signature validation. Adversaries may use these binaries to 'live off the land' and execute malicious files that could bypass application whitelisting and signature validation.",
+  "false_positives": [
+    "Security testing may produce events like this. Activity of this kind performed by non-engineers and ordinary users is unusual."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Signed Binary Proxy Execution",
+  "max_signals": 33,
+  "name": "Execution via Signed Binary",
   "query": "event.code:1 and http and (process.name:certutil.exe or process.name:msiexec.exe)",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "7edb573f-1f9b-4161-8c19-c7c383bb17f2",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1218",
+          "name": "Signed Binary Proxy Execution",
+          "reference": "https://attack.mitre.org/techniques/T1218/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1218",
+          "name": "Signed Binary Proxy Execution",
+          "reference": "https://attack.mitre.org/techniques/T1218/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_signed_binary_proxy_execution_download.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_signed_binary_proxy_execution_download.json
index 717d99ee7901c..117a40d0fdcee 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_signed_binary_proxy_execution_download.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_signed_binary_proxy_execution_download.json
@@ -1,20 +1,54 @@
 {
-  "description": "Windows Signed Binary Proxy Execution Download",
+  "description": "Binaries signed with trusted digital certificates can execute on Windows systems protected by digital signature validation. Adversaries may use these binaries to 'live off the land' and execute malicious files that could bypass application whitelisting and signature validation.",
+  "false_positives": [
+    "Security testing may produce events like this. Activity of this kind performed by non-engineers and ordinary users is unusual."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows Signed Binary Proxy Execution Download",
+  "max_signals": 33,
+  "name": "Potential Download via Signed Binary",
   "query": " event.code:3 and http and (process.name:certutil.exe or process.name:replace.exe)",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "68ecc190-cce2-4021-b976-c7c846ac0a00",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1218",
+          "name": "Signed Binary Proxy Execution",
+          "reference": "https://attack.mitre.org/techniques/T1218/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1218",
+          "name": "Signed Binary Proxy Execution",
+          "reference": "https://attack.mitre.org/techniques/T1218/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_suspicious_process_started_by_a_script.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_suspicious_process_started_by_a_script.json
index 82733cbb6b21c..3691c59d784fb 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_suspicious_process_started_by_a_script.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_suspicious_process_started_by_a_script.json
@@ -1,20 +1,54 @@
 {
-  "description": "Suspicious process started by a script",
+  "description": "Identifies a suspicious process being spawned from a script interpreter, which could be indicative of a potential phishing attack.",
+  "false_positives": [
+    "Security testing may produce events like this. Activity of this kind performed by non-engineers and ordinary users is unusual."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Suspicious process started by a script",
+  "max_signals": 33,
+  "name": "Suspicious Process Spawning from Script Interpreter",
   "query": "(process.parent.name:cmd.exe or process.parent.name:cscript.exe or process.parent.name:mshta.exe or process.parent.name:powershell.exe or process.parent.name:rundll32.exe or process.parent.name:wscript.exe or process.parent.name:wmiprvse.exe) and (process.name:bitsadmin.exe or process.name:certutil.exe or mshta.exe or process.name:nslookup.exe or process.name:schtasks.exe) and event.code:1",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "89db767d-99f9-479f-8052-9205fd3090c4",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0005",
+        "name": "Defense Evasion",
+        "reference": "https://attack.mitre.org/tactics/TA0005/"
+      },
+      "technique": [
+        {
+          "id": "T1064",
+          "name": "Scripting",
+          "reference": "https://attack.mitre.org/techniques/T1064/"
+        }
+      ]
+    },
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0002",
+        "name": "Execution",
+        "reference": "https://attack.mitre.org/tactics/TA0002/"
+      },
+      "technique": [
+        {
+          "id": "T1064",
+          "name": "Scripting",
+          "reference": "https://attack.mitre.org/techniques/T1064/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_whoami_command_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_whoami_command_activity.json
index 768cd65c5e4f5..3618d304dc32a 100644
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_whoami_command_activity.json
+++ b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_whoami_command_activity.json
@@ -1,20 +1,39 @@
 {
-  "description": "Windows whoami command activity",
+  "description": "Identifies use of whoami.exe which displays user, group, and privileges information for the user who is currently logged on to the local system.",
+  "false_positives": [
+    "Some normal use of this program, at varying levels of frequency, may originate from scripts, automation tools and frameworks. Usage by non-engineers and ordinary users is unusual."
+  ],
   "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
     "winlogbeat-*"
   ],
   "language": "kuery",
-  "name": "Windows whoami command activity",
+  "max_signals": 33,
+  "name": "Whoami Process Activity",
   "query": "process.name:whoami.exe and event.code:1",
-  "risk_score": 50,
+  "risk_score": 21,
   "rule_id": "ef862985-3f13-4262-a686-5f357bbb9bc2",
   "severity": "low",
-  "tags": ["Elastic"],
+  "tags": [
+    "Elastic",
+    "Windows"
+  ],
+  "threat": [
+    {
+      "framework": "MITRE ATT&CK",
+      "tactic": {
+        "id": "TA0007",
+        "name": "Discovery",
+        "reference": "https://attack.mitre.org/tactics/TA0007/"
+      },
+      "technique": [
+        {
+          "id": "T1033",
+          "name": "System Owner/User Discovery",
+          "reference": "https://attack.mitre.org/techniques/T1033/"
+        }
+      ]
+    }
+  ],
   "type": "query",
   "version": 1
 }
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_windump_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_windump_activity.json
deleted file mode 100644
index 4f33e95cfe2e9..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_windump_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "WinDump activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "WinDump activity",
-  "query": "process.name:WinDump.exe",
-  "risk_score": 50,
-  "rule_id": "a342cfcb-8420-46a4-8d85-53edc631e0d6",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}
diff --git a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_wireshark_activity.json b/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_wireshark_activity.json
deleted file mode 100644
index 72db4aed03c88..0000000000000
--- a/x-pack/legacy/plugins/siem/server/lib/detection_engine/rules/prepackaged_rules/windows_wireshark_activity.json
+++ /dev/null
@@ -1,20 +0,0 @@
-{
-  "description": "Windows Wireshark activity",
-  "index": [
-    "apm-*-transaction*",
-    "auditbeat-*",
-    "endgame-*",
-    "filebeat-*",
-    "packetbeat-*",
-    "winlogbeat-*"
-  ],
-  "language": "kuery",
-  "name": "Windows Wireshark activity",
-  "query": "process.name:wireshark.exe",
-  "risk_score": 50,
-  "rule_id": "9af965ed-d501-4541-97f6-5f8d2a39737b",
-  "severity": "low",
-  "tags": ["Elastic"],
-  "type": "query",
-  "version": 1
-}

From 1504e830ac866f9acd7d84683022875c6ce2eaa3 Mon Sep 17 00:00:00 2001
From: Matthias Wilhelm <matthias.wilhelm@elastic.co>
Date: Tue, 28 Jan 2020 05:36:12 +0100
Subject: [PATCH 34/36] Refactor saved object management registry usage
 (#54155)

* Migrate registry to TypeScript

* Migrate management code

* Migrate SavedObjectLoader services registration to management section

* Replace Angular SavedSearchLoader in transform plugin

* Migrate saved_visualizations from visualize to visualizations plugin
---
 src/legacy/core_plugins/kibana/index.js       |  1 -
 .../dashboard/__tests__/saved_dashboards.js   | 36 ---------
 .../kibana/public/dashboard/index.ts          |  1 +
 .../kibana/public/dashboard/legacy.ts         |  1 -
 .../saved_dashboard_register.ts               | 46 -----------
 .../kibana/public/discover/build_services.ts  |  4 +-
 .../kibana/public/discover/index.ts           |  2 +-
 .../public/discover/saved_searches/index.ts   |  1 -
 .../discover/saved_searches/saved_searches.ts |  2 +-
 .../saved_searches/saved_searches_register.ts | 43 ----------
 .../management/saved_object_registry.js       | 32 --------
 .../management/saved_object_registry.ts       | 80 +++++++++++++++++++
 .../management/sections/objects/_objects.js   |  2 +-
 .../management/sections/objects/_view.js      | 13 +--
 .../sections/objects/breadcrumbs.js           |  4 +-
 .../kibana/public/visualize/index.ts          |  3 +-
 .../visualize/np_ready/editor/editor.js       |  1 -
 .../kibana/public/visualize/plugin.ts         | 31 +------
 .../core_plugins/timelion/public/app.js       |  3 +-
 .../timelion/public/services/saved_sheets.ts  |  9 ---
 .../visualize_embeddable_factory.tsx          | 23 ++----
 .../public/np_ready/public/index.ts           |  2 +
 .../public/np_ready/public/mocks.ts           |  1 +
 .../public/np_ready/public/plugin.ts          | 27 ++++++-
 .../saved_visualizations/_saved_vis.ts        | 12 +--
 .../saved_visualizations/find_list_items.js   |  0
 .../find_list_items.test.js                   |  0
 .../public}/saved_visualizations/index.ts     |  2 +-
 .../saved_visualization_references.test.ts    |  2 +-
 .../saved_visualization_references.ts         |  4 +-
 .../saved_visualizations.ts                   | 14 ++--
 .../legacy/plugins/transform/public/plugin.ts | 21 +++--
 .../legacy/plugins/transform/public/shim.ts   |  9 ++-
 33 files changed, 164 insertions(+), 268 deletions(-)
 delete mode 100644 src/legacy/core_plugins/kibana/public/dashboard/__tests__/saved_dashboards.js
 delete mode 100644 src/legacy/core_plugins/kibana/public/dashboard/saved_dashboard/saved_dashboard_register.ts
 delete mode 100644 src/legacy/core_plugins/kibana/public/discover/saved_searches/saved_searches_register.ts
 delete mode 100644 src/legacy/core_plugins/kibana/public/management/saved_object_registry.js
 create mode 100644 src/legacy/core_plugins/kibana/public/management/saved_object_registry.ts
 rename src/legacy/core_plugins/{kibana/public/visualize => visualizations/public}/saved_visualizations/_saved_vis.ts (92%)
 rename src/legacy/core_plugins/{kibana/public/visualize => visualizations/public}/saved_visualizations/find_list_items.js (100%)
 rename src/legacy/core_plugins/{kibana/public/visualize => visualizations/public}/saved_visualizations/find_list_items.test.js (100%)
 rename src/legacy/core_plugins/{kibana/public/visualize => visualizations/public}/saved_visualizations/index.ts (95%)
 rename src/legacy/core_plugins/{kibana/public/visualize => visualizations/public}/saved_visualizations/saved_visualization_references.test.ts (98%)
 rename src/legacy/core_plugins/{kibana/public/visualize => visualizations/public}/saved_visualizations/saved_visualization_references.ts (96%)
 rename src/legacy/core_plugins/{kibana/public/visualize => visualizations/public}/saved_visualizations/saved_visualizations.ts (85%)

diff --git a/src/legacy/core_plugins/kibana/index.js b/src/legacy/core_plugins/kibana/index.js
index 97729a3fce069..8e0497732e230 100644
--- a/src/legacy/core_plugins/kibana/index.js
+++ b/src/legacy/core_plugins/kibana/index.js
@@ -64,7 +64,6 @@ export default function(kibana) {
         'plugins/kibana/visualize/legacy',
         'plugins/kibana/dashboard/legacy',
       ],
-      savedObjectTypes: ['plugins/kibana/dashboard/saved_dashboard/saved_dashboard_register'],
       app: {
         id: 'kibana',
         title: 'Kibana',
diff --git a/src/legacy/core_plugins/kibana/public/dashboard/__tests__/saved_dashboards.js b/src/legacy/core_plugins/kibana/public/dashboard/__tests__/saved_dashboards.js
deleted file mode 100644
index b387467189385..0000000000000
--- a/src/legacy/core_plugins/kibana/public/dashboard/__tests__/saved_dashboards.js
+++ /dev/null
@@ -1,36 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-import ngMock from 'ng_mock';
-import expect from '@kbn/expect';
-
-describe('SavedDashboards Service', function() {
-  let savedDashboardLoader;
-
-  beforeEach(ngMock.module('kibana'));
-  beforeEach(
-    ngMock.inject(function(savedDashboards) {
-      savedDashboardLoader = savedDashboards;
-    })
-  );
-
-  it('delete returns a native promise', function() {
-    expect(savedDashboardLoader.delete(['1', '2'])).to.be.a(Promise);
-  });
-});
diff --git a/src/legacy/core_plugins/kibana/public/dashboard/index.ts b/src/legacy/core_plugins/kibana/public/dashboard/index.ts
index 4a8decab6b00e..d0157882689d3 100644
--- a/src/legacy/core_plugins/kibana/public/dashboard/index.ts
+++ b/src/legacy/core_plugins/kibana/public/dashboard/index.ts
@@ -21,6 +21,7 @@ import { PluginInitializerContext } from 'kibana/public';
 import { DashboardPlugin } from './plugin';
 
 export * from './np_ready/dashboard_constants';
+export { createSavedDashboardLoader } from './saved_dashboard/saved_dashboards';
 
 // Core will be looking for this when loading our plugin in the new platform
 export const plugin = (context: PluginInitializerContext) => {
diff --git a/src/legacy/core_plugins/kibana/public/dashboard/legacy.ts b/src/legacy/core_plugins/kibana/public/dashboard/legacy.ts
index 068a8378f936a..acbc4c4b6c47f 100644
--- a/src/legacy/core_plugins/kibana/public/dashboard/legacy.ts
+++ b/src/legacy/core_plugins/kibana/public/dashboard/legacy.ts
@@ -22,7 +22,6 @@ import { npSetup, npStart, legacyChrome } from './legacy_imports';
 import { LegacyAngularInjectedDependencies } from './plugin';
 import { start as data } from '../../../data/public/legacy';
 import { start as embeddables } from '../../../embeddable_api/public/np_ready/public/legacy';
-import './saved_dashboard/saved_dashboard_register';
 import './dashboard_config';
 import { plugin } from './index';
 
diff --git a/src/legacy/core_plugins/kibana/public/dashboard/saved_dashboard/saved_dashboard_register.ts b/src/legacy/core_plugins/kibana/public/dashboard/saved_dashboard/saved_dashboard_register.ts
deleted file mode 100644
index b9ea49ca4fd44..0000000000000
--- a/src/legacy/core_plugins/kibana/public/dashboard/saved_dashboard/saved_dashboard_register.ts
+++ /dev/null
@@ -1,46 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-import { i18n } from '@kbn/i18n';
-import { npStart } from 'ui/new_platform';
-// @ts-ignore
-import { uiModules } from 'ui/modules';
-// @ts-ignore
-import { savedObjectManagementRegistry } from '../../management/saved_object_registry';
-import { createSavedDashboardLoader } from './saved_dashboards';
-
-const module = uiModules.get('app/dashboard');
-
-// Register this service with the saved object registry so it can be
-// edited by the object editor.
-savedObjectManagementRegistry.register({
-  service: 'savedDashboards',
-  title: i18n.translate('kbn.dashboard.savedDashboardsTitle', {
-    defaultMessage: 'dashboards',
-  }),
-});
-
-// this is no longer used in the conroller, but just here for savedObjectManagementRegistry
-module.service('savedDashboards', () =>
-  createSavedDashboardLoader({
-    savedObjectsClient: npStart.core.savedObjects.client,
-    indexPatterns: npStart.plugins.data.indexPatterns,
-    chrome: npStart.core.chrome,
-    overlays: npStart.core.overlays,
-  })
-);
diff --git a/src/legacy/core_plugins/kibana/public/discover/build_services.ts b/src/legacy/core_plugins/kibana/public/discover/build_services.ts
index 1fb8b4abb21c4..bc2436ecdf5ea 100644
--- a/src/legacy/core_plugins/kibana/public/discover/build_services.ts
+++ b/src/legacy/core_plugins/kibana/public/discover/build_services.ts
@@ -30,7 +30,7 @@ import {
   IndexPatternsContract,
   DataPublicPluginStart,
 } from 'src/plugins/data/public';
-import { createSavedSearchesService } from './saved_searches';
+import { createSavedSearchesLoader } from './saved_searches';
 import { DiscoverStartPlugins } from './plugin';
 import { EuiUtilsStart } from '../../../../../plugins/eui_utils/public';
 import { SharePluginStart } from '../../../../../plugins/share/public';
@@ -68,7 +68,7 @@ export async function buildServices(
     chrome: core.chrome,
     overlays: core.overlays,
   };
-  const savedObjectService = createSavedSearchesService(services);
+  const savedObjectService = createSavedSearchesLoader(services);
   return {
     addBasePath: core.http.basePath.prepend,
     capabilities: core.application.capabilities,
diff --git a/src/legacy/core_plugins/kibana/public/discover/index.ts b/src/legacy/core_plugins/kibana/public/discover/index.ts
index d851cb96a18c4..33b2ad4bf8171 100644
--- a/src/legacy/core_plugins/kibana/public/discover/index.ts
+++ b/src/legacy/core_plugins/kibana/public/discover/index.ts
@@ -20,7 +20,7 @@
 import { PluginInitializerContext } from 'kibana/public';
 import { DiscoverPlugin } from './plugin';
 
-export { createSavedSearchesService } from './saved_searches/saved_searches';
+export { createSavedSearchesLoader } from './saved_searches/saved_searches';
 
 // Core will be looking for this when loading our plugin in the new platform
 export const plugin = (context: PluginInitializerContext) => {
diff --git a/src/legacy/core_plugins/kibana/public/discover/saved_searches/index.ts b/src/legacy/core_plugins/kibana/public/discover/saved_searches/index.ts
index 1dd99025b4b70..24832df308a3e 100644
--- a/src/legacy/core_plugins/kibana/public/discover/saved_searches/index.ts
+++ b/src/legacy/core_plugins/kibana/public/discover/saved_searches/index.ts
@@ -18,4 +18,3 @@
  */
 
 export * from './saved_searches';
-import './saved_searches_register';
diff --git a/src/legacy/core_plugins/kibana/public/discover/saved_searches/saved_searches.ts b/src/legacy/core_plugins/kibana/public/discover/saved_searches/saved_searches.ts
index abd3d46820c18..0b34652461026 100644
--- a/src/legacy/core_plugins/kibana/public/discover/saved_searches/saved_searches.ts
+++ b/src/legacy/core_plugins/kibana/public/discover/saved_searches/saved_searches.ts
@@ -20,7 +20,7 @@ import { SavedObjectLoader } from 'ui/saved_objects';
 import { SavedObjectKibanaServices } from 'ui/saved_objects/types';
 import { createSavedSearchClass } from './_saved_search';
 
-export function createSavedSearchesService(services: SavedObjectKibanaServices) {
+export function createSavedSearchesLoader(services: SavedObjectKibanaServices) {
   const SavedSearchClass = createSavedSearchClass(services);
   const savedSearchLoader = new SavedObjectLoader(
     SavedSearchClass,
diff --git a/src/legacy/core_plugins/kibana/public/discover/saved_searches/saved_searches_register.ts b/src/legacy/core_plugins/kibana/public/discover/saved_searches/saved_searches_register.ts
deleted file mode 100644
index ab7894fd5e730..0000000000000
--- a/src/legacy/core_plugins/kibana/public/discover/saved_searches/saved_searches_register.ts
+++ /dev/null
@@ -1,43 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-import { npStart } from 'ui/new_platform';
-// @ts-ignore
-import { uiModules } from 'ui/modules';
-// @ts-ignore
-import { savedObjectManagementRegistry } from '../../management/saved_object_registry';
-
-import { createSavedSearchesService } from './saved_searches';
-
-// this is needed for saved object management
-// Register this service with the saved object registry so it can be
-// edited by the object editor.
-savedObjectManagementRegistry.register({
-  service: 'savedSearches',
-  title: 'searches',
-});
-const services = {
-  savedObjectsClient: npStart.core.savedObjects.client,
-  indexPatterns: npStart.plugins.data.indexPatterns,
-  chrome: npStart.core.chrome,
-  overlays: npStart.core.overlays,
-};
-const savedSearches = createSavedSearchesService(services);
-
-const module = uiModules.get('discover/saved_searches');
-module.service('savedSearches', () => savedSearches);
diff --git a/src/legacy/core_plugins/kibana/public/management/saved_object_registry.js b/src/legacy/core_plugins/kibana/public/management/saved_object_registry.js
deleted file mode 100644
index 978459dea7c2d..0000000000000
--- a/src/legacy/core_plugins/kibana/public/management/saved_object_registry.js
+++ /dev/null
@@ -1,32 +0,0 @@
-/*
- * Licensed to Elasticsearch B.V. under one or more contributor
- * license agreements. See the NOTICE file distributed with
- * this work for additional information regarding copyright
- * ownership. Elasticsearch B.V. licenses this file to you under
- * the Apache License, Version 2.0 (the "License"); you may
- * not use this file except in compliance with the License.
- * You may obtain a copy of the License at
- *
- *    http://www.apache.org/licenses/LICENSE-2.0
- *
- * Unless required by applicable law or agreed to in writing,
- * software distributed under the License is distributed on an
- * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
- * KIND, either express or implied.  See the License for the
- * specific language governing permissions and limitations
- * under the License.
- */
-
-import _ from 'lodash';
-const registry = [];
-export const savedObjectManagementRegistry = {
-  register: function(service) {
-    registry.push(service);
-  },
-  all: function() {
-    return registry;
-  },
-  get: function(id) {
-    return _.find(registry, { service: id });
-  },
-};
diff --git a/src/legacy/core_plugins/kibana/public/management/saved_object_registry.ts b/src/legacy/core_plugins/kibana/public/management/saved_object_registry.ts
new file mode 100644
index 0000000000000..0a6ac20502669
--- /dev/null
+++ b/src/legacy/core_plugins/kibana/public/management/saved_object_registry.ts
@@ -0,0 +1,80 @@
+/*
+ * Licensed to Elasticsearch B.V. under one or more contributor
+ * license agreements. See the NOTICE file distributed with
+ * this work for additional information regarding copyright
+ * ownership. Elasticsearch B.V. licenses this file to you under
+ * the Apache License, Version 2.0 (the "License"); you may
+ * not use this file except in compliance with the License.
+ * You may obtain a copy of the License at
+ *
+ *    http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied.  See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+
+import _ from 'lodash';
+import { i18n } from '@kbn/i18n';
+import { npStart } from 'ui/new_platform';
+import { SavedObjectLoader } from 'ui/saved_objects';
+import { createSavedDashboardLoader } from '../dashboard';
+import { createSavedSearchesLoader } from '../discover';
+import { TypesService, createSavedVisLoader } from '../../../visualizations/public';
+
+/**
+ * This registry is used for the editing mode of Saved Searches, Visualizations,
+ * Dashboard and Time Lion saved objects.
+ */
+interface SavedObjectRegistryEntry {
+  id: string;
+  service: SavedObjectLoader;
+  title: string;
+}
+
+const registry: SavedObjectRegistryEntry[] = [];
+
+export const savedObjectManagementRegistry = {
+  register: (service: SavedObjectRegistryEntry) => {
+    registry.push(service);
+  },
+  all: () => {
+    return registry;
+  },
+  get: (id: string) => {
+    return _.find(registry, { id });
+  },
+};
+
+const services = {
+  savedObjectsClient: npStart.core.savedObjects.client,
+  indexPatterns: npStart.plugins.data.indexPatterns,
+  chrome: npStart.core.chrome,
+  overlays: npStart.core.overlays,
+};
+
+savedObjectManagementRegistry.register({
+  id: 'savedVisualizations',
+  service: createSavedVisLoader({
+    ...services,
+    ...{ visualizationTypes: new TypesService().start() },
+  }),
+  title: 'visualizations',
+});
+
+savedObjectManagementRegistry.register({
+  id: 'savedDashboards',
+  service: createSavedDashboardLoader(services),
+  title: i18n.translate('kbn.dashboard.savedDashboardsTitle', {
+    defaultMessage: 'dashboards',
+  }),
+});
+
+savedObjectManagementRegistry.register({
+  id: 'savedSearches',
+  service: createSavedSearchesLoader(services),
+  title: 'searches',
+});
diff --git a/src/legacy/core_plugins/kibana/public/management/sections/objects/_objects.js b/src/legacy/core_plugins/kibana/public/management/sections/objects/_objects.js
index c9698f6e1f48b..c16e4cb00c2bd 100644
--- a/src/legacy/core_plugins/kibana/public/management/sections/objects/_objects.js
+++ b/src/legacy/core_plugins/kibana/public/management/sections/objects/_objects.js
@@ -41,7 +41,7 @@ function updateObjectsTable($scope, $injector) {
   const confirmModalPromise = $injector.get('confirmModalPromise');
 
   const savedObjectsClient = npStart.core.savedObjects.client;
-  const services = savedObjectManagementRegistry.all().map(obj => $injector.get(obj.service));
+  const services = savedObjectManagementRegistry.all().map(obj => obj.service);
   const uiCapabilites = npStart.core.application.capabilities;
 
   $scope.$$postDigest(() => {
diff --git a/src/legacy/core_plugins/kibana/public/management/sections/objects/_view.js b/src/legacy/core_plugins/kibana/public/management/sections/objects/_view.js
index 540f25c63a861..3205e28fe2314 100644
--- a/src/legacy/core_plugins/kibana/public/management/sections/objects/_view.js
+++ b/src/legacy/core_plugins/kibana/public/management/sections/objects/_view.js
@@ -49,17 +49,9 @@ uiModules
   .directive('kbnManagementObjectsView', function(kbnIndex, confirmModal) {
     return {
       restrict: 'E',
-      controller: function(
-        $scope,
-        $injector,
-        $routeParams,
-        $location,
-        $window,
-        $rootScope,
-        uiCapabilities
-      ) {
+      controller: function($scope, $routeParams, $location, $window, $rootScope, uiCapabilities) {
         const serviceObj = savedObjectManagementRegistry.get($routeParams.service);
-        const service = $injector.get(serviceObj.service);
+        const service = serviceObj.service;
         const savedObjectsClient = npStart.core.savedObjects.client;
 
         /**
@@ -184,6 +176,7 @@ uiModules
                 return orderIndex > -1 ? orderIndex : Infinity;
               });
             });
+            $scope.$digest();
           })
           .catch(error => fatalError(error, location));
 
diff --git a/src/legacy/core_plugins/kibana/public/management/sections/objects/breadcrumbs.js b/src/legacy/core_plugins/kibana/public/management/sections/objects/breadcrumbs.js
index 49e57a7c40b16..e9082bfeb680d 100644
--- a/src/legacy/core_plugins/kibana/public/management/sections/objects/breadcrumbs.js
+++ b/src/legacy/core_plugins/kibana/public/management/sections/objects/breadcrumbs.js
@@ -34,9 +34,9 @@ export function getIndexBreadcrumbs() {
   ];
 }
 
-export function getViewBreadcrumbs($routeParams, $injector) {
+export function getViewBreadcrumbs($routeParams) {
   const serviceObj = savedObjectManagementRegistry.get($routeParams.service);
-  const service = $injector.get(serviceObj.service);
+  const { service } = serviceObj;
 
   return [
     ...getIndexBreadcrumbs(),
diff --git a/src/legacy/core_plugins/kibana/public/visualize/index.ts b/src/legacy/core_plugins/kibana/public/visualize/index.ts
index a39779792b83a..e7170836cf749 100644
--- a/src/legacy/core_plugins/kibana/public/visualize/index.ts
+++ b/src/legacy/core_plugins/kibana/public/visualize/index.ts
@@ -22,8 +22,7 @@ import { VisualizePlugin } from './plugin';
 
 export * from './np_ready/visualize_constants';
 export { showNewVisModal } from './np_ready/wizard';
-
-export { createSavedVisLoader } from './saved_visualizations/saved_visualizations';
+export { VisualizeConstants, createVisualizeEditUrl } from './np_ready/visualize_constants';
 
 // Core will be looking for this when loading our plugin in the new platform
 export const plugin = (context: PluginInitializerContext) => {
diff --git a/src/legacy/core_plugins/kibana/public/visualize/np_ready/editor/editor.js b/src/legacy/core_plugins/kibana/public/visualize/np_ready/editor/editor.js
index 261e3331e4796..2a4fdeb4e4016 100644
--- a/src/legacy/core_plugins/kibana/public/visualize/np_ready/editor/editor.js
+++ b/src/legacy/core_plugins/kibana/public/visualize/np_ready/editor/editor.js
@@ -21,7 +21,6 @@ import angular from 'angular';
 import _ from 'lodash';
 import { Subscription } from 'rxjs';
 import { i18n } from '@kbn/i18n';
-import '../../saved_visualizations/saved_visualizations';
 
 import React from 'react';
 import { FormattedMessage } from '@kbn/i18n/react';
diff --git a/src/legacy/core_plugins/kibana/public/visualize/plugin.ts b/src/legacy/core_plugins/kibana/public/visualize/plugin.ts
index 998fd2e2d9161..26c6691a3613f 100644
--- a/src/legacy/core_plugins/kibana/public/visualize/plugin.ts
+++ b/src/legacy/core_plugins/kibana/public/visualize/plugin.ts
@@ -27,9 +27,6 @@ import {
   SavedObjectsClientContract,
 } from 'kibana/public';
 
-// @ts-ignore
-import { uiModules } from 'ui/modules';
-
 import { Storage } from '../../../../../plugins/kibana_utils/public';
 import { DataPublicPluginStart } from '../../../../../plugins/data/public';
 import { IEmbeddableStart } from '../../../../../plugins/embeddable/public';
@@ -44,9 +41,6 @@ import {
   HomePublicPluginSetup,
 } from '../../../../../plugins/home/public';
 import { UsageCollectionSetup } from '../../../../../plugins/usage_collection/public';
-import { createSavedVisLoader } from './saved_visualizations/saved_visualizations';
-// @ts-ignore
-import { savedObjectManagementRegistry } from '../management/saved_object_registry';
 import { Chrome } from './legacy_imports';
 
 export interface VisualizePluginStartDependencies {
@@ -97,13 +91,6 @@ export class VisualizePlugin implements Plugin {
           share,
         } = this.startDependencies;
 
-        const savedVisualizations = createSavedVisLoader({
-          savedObjectsClient,
-          indexPatterns: data.indexPatterns,
-          chrome: contextCore.chrome,
-          overlays: contextCore.overlays,
-          visualizations,
-        });
         const deps: VisualizeKibanaServices = {
           ...__LEGACY,
           addBasePath: contextCore.http.basePath.prepend,
@@ -116,7 +103,7 @@ export class VisualizePlugin implements Plugin {
           localStorage: new Storage(localStorage),
           navigation,
           savedObjectsClient,
-          savedVisualizations,
+          savedVisualizations: visualizations.getSavedVisualizationsLoader(),
           savedQueryService: data.query.savedQueries,
           share,
           toastNotifications: contextCore.notifications.toasts,
@@ -158,21 +145,5 @@ export class VisualizePlugin implements Plugin {
       share,
       visualizations,
     };
-
-    const savedVisualizations = createSavedVisLoader({
-      savedObjectsClient: core.savedObjects.client,
-      indexPatterns: data.indexPatterns,
-      chrome: core.chrome,
-      overlays: core.overlays,
-      visualizations,
-    });
-
-    // TODO: remove once savedobjectregistry is refactored
-    savedObjectManagementRegistry.register({
-      service: 'savedVisualizations',
-      title: 'visualizations',
-    });
-
-    uiModules.get('app/visualize').service('savedVisualizations', () => savedVisualizations);
   }
 }
diff --git a/src/legacy/core_plugins/timelion/public/app.js b/src/legacy/core_plugins/timelion/public/app.js
index 084e497761e43..e9f8e3496acf4 100644
--- a/src/legacy/core_plugins/timelion/public/app.js
+++ b/src/legacy/core_plugins/timelion/public/app.js
@@ -43,7 +43,7 @@ import '../../data/public/legacy';
 import './services/saved_sheet_register';
 
 import rootTemplate from 'plugins/timelion/index.html';
-import { createSavedVisLoader } from '../../kibana/public/visualize';
+import { createSavedVisLoader, TypesService } from '../../visualizations/public';
 
 require('plugins/timelion/directives/cells/cells');
 require('plugins/timelion/directives/fixed_element');
@@ -131,6 +131,7 @@ app.controller('timelion', function(
     indexPatterns: npStart.plugins.data.indexPatterns,
     chrome: npStart.core.chrome,
     overlays: npStart.core.overlays,
+    visualizationTypes: new TypesService().start(),
   });
   const timezone = Private(timezoneProvider)();
 
diff --git a/src/legacy/core_plugins/timelion/public/services/saved_sheets.ts b/src/legacy/core_plugins/timelion/public/services/saved_sheets.ts
index df3898e3410dd..074431bf28da8 100644
--- a/src/legacy/core_plugins/timelion/public/services/saved_sheets.ts
+++ b/src/legacy/core_plugins/timelion/public/services/saved_sheets.ts
@@ -19,20 +19,11 @@
 import { npStart } from 'ui/new_platform';
 import { SavedObjectLoader } from 'ui/saved_objects';
 // @ts-ignore
-import { savedObjectManagementRegistry } from 'plugins/kibana/management/saved_object_registry';
-// @ts-ignore
 import { uiModules } from 'ui/modules';
 import { createSavedSheetClass } from './_saved_sheet';
 
 const module = uiModules.get('app/sheet');
 
-// Register this service with the saved object registry so it can be
-// edited by the object editor.
-savedObjectManagementRegistry.register({
-  service: 'savedSheets',
-  title: 'sheets',
-});
-
 const savedObjectsClient = npStart.core.savedObjects.client;
 const services = {
   savedObjectsClient,
diff --git a/src/legacy/core_plugins/visualizations/public/embeddable/visualize_embeddable_factory.tsx b/src/legacy/core_plugins/visualizations/public/embeddable/visualize_embeddable_factory.tsx
index 3f29f97afee48..e5836c1372068 100644
--- a/src/legacy/core_plugins/visualizations/public/embeddable/visualize_embeddable_factory.tsx
+++ b/src/legacy/core_plugins/visualizations/public/embeddable/visualize_embeddable_factory.tsx
@@ -18,17 +18,14 @@
  */
 
 import { i18n } from '@kbn/i18n';
-
-import chrome from 'ui/chrome';
-
-import { SavedObjectAttributes } from 'kibana/server';
+import { SavedObjectAttributes } from 'kibana/public';
 import {
   EmbeddableFactory,
   ErrorEmbeddable,
   Container,
   EmbeddableOutput,
 } from '../../../../../plugins/embeddable/public';
-import { showNewVisModal } from '../../../kibana/public/visualize/np_ready/wizard/show_new_vis';
+import { showNewVisModal } from '../../../kibana/public/visualize';
 import { SavedVisualizations } from '../../../kibana/public/visualize/np_ready/types';
 import { DisabledLabEmbeddable } from './disabled_lab_embeddable';
 import { getIndexPattern } from './get_index_pattern';
@@ -61,11 +58,7 @@ export class VisualizeEmbeddableFactory extends EmbeddableFactory<
 > {
   public readonly type = VISUALIZE_EMBEDDABLE_TYPE;
 
-  static async createVisualizeEmbeddableFactory(): Promise<VisualizeEmbeddableFactory> {
-    return new VisualizeEmbeddableFactory();
-  }
-
-  constructor() {
+  constructor(private getSavedVisualizationsLoader: () => SavedVisualizations) {
     super({
       savedObjectMetaData: {
         name: i18n.translate('visualizations.savedObjectName', { defaultMessage: 'Visualization' }),
@@ -111,8 +104,7 @@ export class VisualizeEmbeddableFactory extends EmbeddableFactory<
     input: Partial<VisualizeInput> & { id: string },
     parent?: Container
   ): Promise<VisualizeEmbeddable | ErrorEmbeddable | DisabledLabEmbeddable> {
-    const $injector = await chrome.dangerouslyGetActiveInjector();
-    const savedVisualizations = $injector.get<SavedVisualizations>('savedVisualizations');
+    const savedVisualizations = this.getSavedVisualizationsLoader();
 
     try {
       const visId = savedObject.id as string;
@@ -151,13 +143,10 @@ export class VisualizeEmbeddableFactory extends EmbeddableFactory<
     input: Partial<VisualizeInput> & { id: string },
     parent?: Container
   ): Promise<VisualizeEmbeddable | ErrorEmbeddable | DisabledLabEmbeddable> {
-    const $injector = await chrome.dangerouslyGetActiveInjector();
-    const savedVisualizations = $injector.get<SavedVisualizations>('savedVisualizations');
+    const savedVisualizations = this.getSavedVisualizationsLoader();
 
     try {
-      const visId = savedObjectId;
-
-      const savedObject = await savedVisualizations.get(visId);
+      const savedObject = await savedVisualizations.get(savedObjectId);
       return this.createFromObject(savedObject, input, parent);
     } catch (e) {
       console.error(e); // eslint-disable-line no-console
diff --git a/src/legacy/core_plugins/visualizations/public/np_ready/public/index.ts b/src/legacy/core_plugins/visualizations/public/np_ready/public/index.ts
index 29ff812b95473..4dffcb8ce995e 100644
--- a/src/legacy/core_plugins/visualizations/public/np_ready/public/index.ts
+++ b/src/legacy/core_plugins/visualizations/public/np_ready/public/index.ts
@@ -45,6 +45,7 @@ export function plugin(initializerContext: PluginInitializerContext) {
 /** @public static code */
 export { Vis, VisParams, VisState } from './vis';
 export * from './filters';
+export { TypesService } from './types/types_service';
 
 export { Status } from './legacy/update_status';
 export { buildPipeline, buildVislibDimensions, SchemaConfig } from './legacy/build_pipeline';
@@ -54,3 +55,4 @@ export { updateOldState } from './legacy/vis_update_state';
 export { calculateObjectHash } from './legacy/calculate_object_hash';
 // @ts-ignore
 export { createFiltersFromEvent } from './filters/vis_filters';
+export { createSavedVisLoader } from '../../saved_visualizations/saved_visualizations';
diff --git a/src/legacy/core_plugins/visualizations/public/np_ready/public/mocks.ts b/src/legacy/core_plugins/visualizations/public/np_ready/public/mocks.ts
index 2fa85d86a794e..4c1783408708a 100644
--- a/src/legacy/core_plugins/visualizations/public/np_ready/public/mocks.ts
+++ b/src/legacy/core_plugins/visualizations/public/np_ready/public/mocks.ts
@@ -48,6 +48,7 @@ const createStartContract = (): VisualizationsStart => ({
     all: jest.fn(),
     getAliases: jest.fn(),
   },
+  getSavedVisualizationsLoader: jest.fn(),
 });
 
 const createInstance = async () => {
diff --git a/src/legacy/core_plugins/visualizations/public/np_ready/public/plugin.ts b/src/legacy/core_plugins/visualizations/public/np_ready/public/plugin.ts
index cfd22f88167c5..01059044b98c2 100644
--- a/src/legacy/core_plugins/visualizations/public/np_ready/public/plugin.ts
+++ b/src/legacy/core_plugins/visualizations/public/np_ready/public/plugin.ts
@@ -38,6 +38,11 @@ import { visualization as visualizationFunction } from './expressions/visualizat
 import { visualization as visualizationRenderer } from './expressions/visualization_renderer';
 import { DataPublicPluginStart } from '../../../../../../plugins/data/public';
 import { UsageCollectionSetup } from '../../../../../../plugins/usage_collection/public';
+import {
+  createSavedVisLoader,
+  SavedObjectKibanaServicesWithVisualizations,
+} from '../../saved_visualizations';
+import { SavedVisualizations } from '../../../../kibana/public/visualize/np_ready/types';
 /**
  * Interface for this plugin's returned setup/start contracts.
  *
@@ -47,9 +52,9 @@ export interface VisualizationsSetup {
   types: TypesSetup;
 }
 
-// eslint-disable-next-line @typescript-eslint/no-empty-interface
 export interface VisualizationsStart {
   types: TypesStart;
+  getSavedVisualizationsLoader: () => SavedVisualizations;
 }
 
 export interface VisualizationsSetupDeps {
@@ -79,6 +84,8 @@ export class VisualizationsPlugin
       VisualizationsStartDeps
     > {
   private readonly types: TypesService = new TypesService();
+  private savedVisualizations?: SavedVisualizations;
+  private savedVisualizationDependencies?: SavedObjectKibanaServicesWithVisualizations;
 
   constructor(initializerContext: PluginInitializerContext) {}
 
@@ -92,7 +99,7 @@ export class VisualizationsPlugin
     expressions.registerFunction(visualizationFunction);
     expressions.registerRenderer(visualizationRenderer);
 
-    const embeddableFactory = new VisualizeEmbeddableFactory();
+    const embeddableFactory = new VisualizeEmbeddableFactory(this.getSavedVisualizationsLoader);
     embeddable.registerEmbeddableFactory(VISUALIZE_EMBEDDABLE_TYPE, embeddableFactory);
 
     return {
@@ -110,12 +117,28 @@ export class VisualizationsPlugin
     setIndexPatterns(data.indexPatterns);
     setFilterManager(data.query.filterManager);
 
+    this.savedVisualizationDependencies = {
+      savedObjectsClient: core.savedObjects.client,
+      indexPatterns: data.indexPatterns,
+      chrome: core.chrome,
+      overlays: core.overlays,
+      visualizationTypes: types,
+    };
+
     return {
       types,
+      getSavedVisualizationsLoader: () => this.getSavedVisualizationsLoader(),
     };
   }
 
   public stop() {
     this.types.stop();
   }
+
+  private getSavedVisualizationsLoader = () => {
+    if (!this.savedVisualizations) {
+      this.savedVisualizations = createSavedVisLoader(this.savedVisualizationDependencies!);
+    }
+    return this.savedVisualizations;
+  };
 }
diff --git a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/_saved_vis.ts b/src/legacy/core_plugins/visualizations/public/saved_visualizations/_saved_vis.ts
similarity index 92%
rename from src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/_saved_vis.ts
rename to src/legacy/core_plugins/visualizations/public/saved_visualizations/_saved_vis.ts
index a0a6f8ea1c8a2..b501c8b68484f 100644
--- a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/_saved_vis.ts
+++ b/src/legacy/core_plugins/visualizations/public/saved_visualizations/_saved_vis.ts
@@ -28,13 +28,13 @@
 import { Vis } from 'ui/vis';
 import { SavedObject, SavedObjectKibanaServices } from 'ui/saved_objects/types';
 import { createSavedObjectClass } from 'ui/saved_objects/saved_object';
-import { updateOldState } from '../../../../visualizations/public';
+import { updateOldState } from '../index';
 import { extractReferences, injectReferences } from './saved_visualization_references';
-import { IIndexPattern } from '../../../../../../plugins/data/public';
-import { VisSavedObject } from '../legacy_imports';
+import { IIndexPattern } from '../../../../../plugins/data/public';
+import { VisSavedObject } from '../embeddable/visualize_embeddable';
 
-import { createSavedSearchesService } from '../../discover';
-import { VisualizeConstants } from '../np_ready/visualize_constants';
+import { createSavedSearchesLoader } from '../../../kibana/public/discover';
+import { VisualizeConstants } from '../../../kibana/public/visualize';
 
 async function _afterEsResp(savedVis: VisSavedObject, services: any) {
   await _getLinkedSavedSearch(savedVis, services);
@@ -56,7 +56,7 @@ async function _getLinkedSavedSearch(savedVis: VisSavedObject, services: any) {
     savedVis.savedSearch.destroy();
     delete savedVis.savedSearch;
   }
-  const savedSearches = createSavedSearchesService(services);
+  const savedSearches = createSavedSearchesLoader(services);
 
   if (linkedSearch) {
     savedVis.savedSearch = await savedSearches.get(savedVis.savedSearchId!);
diff --git a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/find_list_items.js b/src/legacy/core_plugins/visualizations/public/saved_visualizations/find_list_items.js
similarity index 100%
rename from src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/find_list_items.js
rename to src/legacy/core_plugins/visualizations/public/saved_visualizations/find_list_items.js
diff --git a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/find_list_items.test.js b/src/legacy/core_plugins/visualizations/public/saved_visualizations/find_list_items.test.js
similarity index 100%
rename from src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/find_list_items.test.js
rename to src/legacy/core_plugins/visualizations/public/saved_visualizations/find_list_items.test.js
diff --git a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/index.ts b/src/legacy/core_plugins/visualizations/public/saved_visualizations/index.ts
similarity index 95%
rename from src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/index.ts
rename to src/legacy/core_plugins/visualizations/public/saved_visualizations/index.ts
index 62bf106adc0d0..cba68feca81f7 100644
--- a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/index.ts
+++ b/src/legacy/core_plugins/visualizations/public/saved_visualizations/index.ts
@@ -17,4 +17,4 @@
  * under the License.
  */
 
-import './saved_visualizations';
+export * from './saved_visualizations';
diff --git a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualization_references.test.ts b/src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualization_references.test.ts
similarity index 98%
rename from src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualization_references.test.ts
rename to src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualization_references.test.ts
index 98f5458d5eecc..6549b317d1634 100644
--- a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualization_references.test.ts
+++ b/src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualization_references.test.ts
@@ -18,7 +18,7 @@
  */
 
 import { extractReferences, injectReferences } from './saved_visualization_references';
-import { VisSavedObject } from '../../../../visualizations/public/embeddable/visualize_embeddable';
+import { VisSavedObject } from '../embeddable/visualize_embeddable';
 
 describe('extractReferences', () => {
   test('extracts nothing if savedSearchId is empty', () => {
diff --git a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualization_references.ts b/src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualization_references.ts
similarity index 96%
rename from src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualization_references.ts
rename to src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualization_references.ts
index 403e9c5a8172d..330f5e2dacd10 100644
--- a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualization_references.ts
+++ b/src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualization_references.ts
@@ -16,8 +16,8 @@
  * specific language governing permissions and limitations
  * under the License.
  */
-import { SavedObjectAttributes, SavedObjectReference } from 'kibana/server';
-import { VisSavedObject } from '../../../../visualizations/public/embeddable/visualize_embeddable';
+import { SavedObjectAttributes, SavedObjectReference } from 'kibana/public';
+import { VisSavedObject } from '../embeddable/visualize_embeddable';
 
 export function extractReferences({
   attributes,
diff --git a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualizations.ts b/src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualizations.ts
similarity index 85%
rename from src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualizations.ts
rename to src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualizations.ts
index d51fae7428939..4b2a8e27c0208 100644
--- a/src/legacy/core_plugins/kibana/public/visualize/saved_visualizations/saved_visualizations.ts
+++ b/src/legacy/core_plugins/visualizations/public/saved_visualizations/saved_visualizations.ts
@@ -22,19 +22,19 @@ import { SavedObjectKibanaServices } from 'ui/saved_objects/types';
 // @ts-ignore
 import { findListItems } from './find_list_items';
 import { createSavedVisClass } from './_saved_vis';
-import { createVisualizeEditUrl } from '../np_ready/visualize_constants';
-import { VisualizationsStart } from '../../../../visualizations/public/np_ready/public';
+import { createVisualizeEditUrl } from '../../../kibana/public/visualize';
+import { TypesStart } from '../np_ready/public/types';
 
-interface SavedObjectKibanaServicesWithVisualizations extends SavedObjectKibanaServices {
-  visualizations: VisualizationsStart;
+export interface SavedObjectKibanaServicesWithVisualizations extends SavedObjectKibanaServices {
+  visualizationTypes: TypesStart;
 }
 
 export function createSavedVisLoader(services: SavedObjectKibanaServicesWithVisualizations) {
-  const { savedObjectsClient, visualizations } = services;
+  const { savedObjectsClient, visualizationTypes } = services;
 
   class SavedObjectLoaderVisualize extends SavedObjectLoader {
     mapHitSource = (source: Record<string, any>, id: string) => {
-      const visTypes = visualizations.types;
+      const visTypes = visualizationTypes;
       source.id = id;
       source.url = this.urlFor(id);
 
@@ -72,7 +72,7 @@ export function createSavedVisLoader(services: SavedObjectKibanaServicesWithVisu
         size,
         mapSavedObjectApiHits: this.mapSavedObjectApiHits.bind(this),
         savedObjectsClient,
-        visTypes: visualizations.types.getAliases(),
+        visTypes: visualizationTypes.getAliases(),
       });
     }
   }
diff --git a/x-pack/legacy/plugins/transform/public/plugin.ts b/x-pack/legacy/plugins/transform/public/plugin.ts
index 5d1c39add4ff6..3b02d07b8c150 100644
--- a/x-pack/legacy/plugins/transform/public/plugin.ts
+++ b/x-pack/legacy/plugins/transform/public/plugin.ts
@@ -4,11 +4,7 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 import { unmountComponentAtNode } from 'react-dom';
-
 import { i18n } from '@kbn/i18n';
-
-import { SavedSearchLoader } from '../../../../../src/legacy/core_plugins/kibana/public/discover/np_ready/types';
-
 import { PLUGIN } from '../common/constants';
 import { CLIENT_BASE_PATH } from './app/constants';
 import { renderReact } from './app/app';
@@ -19,6 +15,7 @@ import { documentationLinksService } from './app/services/documentation';
 import { httpService } from './app/services/http';
 import { textService } from './app/services/text';
 import { uiMetricService } from './app/services/ui_metric';
+import { createSavedSearchesLoader } from '../../../../../src/legacy/core_plugins/kibana/public/discover/saved_searches';
 
 const REACT_ROOT_ID = 'transformReactRoot';
 const KBN_MANAGEMENT_SECTION = 'elasticsearch/transform';
@@ -36,12 +33,13 @@ export class Plugin {
       docTitle,
       uiSettings,
       savedObjects,
+      overlays,
     } = core;
     const { management, savedSearches: coreSavedSearches, uiMetric } = plugins;
 
     // AppCore/AppPlugins to be passed on as React context
     const AppDependencies = {
-      core: { chrome, http, i18n: core.i18n, uiSettings, savedObjects },
+      core: { chrome, http, i18n: core.i18n, uiSettings, savedObjects, overlays },
       plugins: {
         management: { sections: management.sections },
         savedSearches: coreSavedSearches,
@@ -77,12 +75,13 @@ export class Plugin {
     routing.registerAngularRoute(`${CLIENT_BASE_PATH}/:section?/:subsection?/:view?/:id?`, {
       template,
       controllerAs: 'transformController',
-      controller: (
-        $scope: any,
-        $route: any,
-        $http: ng.IHttpService,
-        savedSearches: SavedSearchLoader
-      ) => {
+      controller: ($scope: any, $route: any, $http: ng.IHttpService) => {
+        const savedSearches = createSavedSearchesLoader({
+          savedObjectsClient: core.savedObjects.client,
+          indexPatterns: plugins.data.indexPatterns,
+          chrome: core.chrome,
+          overlays: core.overlays,
+        });
         // NOTE: We depend upon Angular's $http service because it's decorated with interceptors,
         // e.g. to check license status per request.
         legacyHttp.setClient($http);
diff --git a/x-pack/legacy/plugins/transform/public/shim.ts b/x-pack/legacy/plugins/transform/public/shim.ts
index d739dd2edddcc..758cc90210579 100644
--- a/x-pack/legacy/plugins/transform/public/shim.ts
+++ b/x-pack/legacy/plugins/transform/public/shim.ts
@@ -9,16 +9,21 @@ import { npStart } from 'ui/new_platform';
 import { management, MANAGEMENT_BREADCRUMB } from 'ui/management';
 import routes from 'ui/routes';
 import { docTitle } from 'ui/doc_title/doc_title';
+import { CoreStart } from 'kibana/public';
 
 // @ts-ignore: allow traversal to fail on x-pack build
 import { createUiStatsReporter } from '../../../../../src/legacy/core_plugins/ui_metric/public';
 import { SavedSearchLoader } from '../../../../../src/legacy/core_plugins/kibana/public/discover/np_ready/types';
+import { DataPublicPluginStart } from '../../../../../src/plugins/data/public';
 
 export type npCore = typeof npStart.core;
 
 // AppCore/AppPlugins is the set of core features/plugins
 // we pass on via context/hooks to the app and its components.
-export type AppCore = Pick<npCore, 'chrome' | 'http' | 'i18n' | 'savedObjects' | 'uiSettings'>;
+export type AppCore = Pick<
+  CoreStart,
+  'chrome' | 'http' | 'i18n' | 'savedObjects' | 'uiSettings' | 'overlays'
+>;
 
 export interface AppPlugins {
   management: {
@@ -64,6 +69,7 @@ export interface Plugins extends AppPlugins {
   uiMetric: {
     createUiStatsReporter: typeof createUiStatsReporter;
   };
+  data: DataPublicPluginStart;
 }
 
 export function createPublicShim(): { core: Core; plugins: Plugins } {
@@ -101,6 +107,7 @@ export function createPublicShim(): { core: Core; plugins: Plugins } {
       },
     },
     plugins: {
+      data: npStart.plugins.data,
       management: {
         sections: management,
         constants: {

From 3db8cb34b09f0649e0cba0e5cdf17374f745db5b Mon Sep 17 00:00:00 2001
From: Brandon Morelli <brandon.morelli@elastic.co>
Date: Mon, 27 Jan 2020 21:03:06 -0800
Subject: [PATCH 35/36] [docs] Remove unused callout (#56032)

---
 docs/api/saved-objects/import.asciidoc | 2 +-
 1 file changed, 1 insertion(+), 1 deletion(-)

diff --git a/docs/api/saved-objects/import.asciidoc b/docs/api/saved-objects/import.asciidoc
index 5b4c5016be4ed..1a380830ed21a 100644
--- a/docs/api/saved-objects/import.asciidoc
+++ b/docs/api/saved-objects/import.asciidoc
@@ -57,7 +57,7 @@ Import an index pattern and dashboard:
 
 [source,js]
 --------------------------------------------------
-$ curl -X POST "localhost:5601/api/saved_objects/_import" -H "kbn-xsrf: true" --form file=@file.ndjson <1>
+$ curl -X POST "localhost:5601/api/saved_objects/_import" -H "kbn-xsrf: true" --form file=@file.ndjson
 --------------------------------------------------
 
 The `file.ndjson` file contains the following:

From fc10fb6b4fc4d5073a1861577a5d643ff321bb3f Mon Sep 17 00:00:00 2001
From: MadameSheema <snootchie.boochies@gmail.com>
Date: Tue, 28 Jan 2020 10:04:41 +0100
Subject: [PATCH 36/36] [SIEM] Fields browser readable (#56000)

* extracts methods to tasks

* uses cypress api for assertions

* refactor

* removes tag
---
 .../integration/lib/fields_browser/helpers.ts |   8 +-
 .../integration/lib/timeline/selectors.ts     |   3 +
 .../fields_browser/fields_browser.spec.ts     | 136 +++++++-----------
 .../cypress/screens/hosts/fields_browser.ts   |   2 -
 .../screens/timeline/fields_browser.ts        |  60 ++++++++
 .../siem/cypress/screens/timeline/main.ts     |  18 +++
 .../cypress/tasks/timeline/fields_browser.ts  |  61 ++++++++
 .../siem/cypress/tasks/timeline/main.ts       |  31 ++++
 8 files changed, 227 insertions(+), 92 deletions(-)
 create mode 100644 x-pack/legacy/plugins/siem/cypress/screens/timeline/fields_browser.ts
 create mode 100644 x-pack/legacy/plugins/siem/cypress/screens/timeline/main.ts
 create mode 100644 x-pack/legacy/plugins/siem/cypress/tasks/timeline/fields_browser.ts
 create mode 100644 x-pack/legacy/plugins/siem/cypress/tasks/timeline/main.ts

diff --git a/x-pack/legacy/plugins/siem/cypress/integration/lib/fields_browser/helpers.ts b/x-pack/legacy/plugins/siem/cypress/integration/lib/fields_browser/helpers.ts
index 405c8eb34d6fc..b02eda513cba3 100644
--- a/x-pack/legacy/plugins/siem/cypress/integration/lib/fields_browser/helpers.ts
+++ b/x-pack/legacy/plugins/siem/cypress/integration/lib/fields_browser/helpers.ts
@@ -4,18 +4,14 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import {
-  FIELDS_BROWSER_CONTAINER,
-  FIELDS_BROWSER_FILTER_INPUT,
-  TIMELINE_FIELDS_BUTTON,
-} from './selectors';
+import { FIELDS_BROWSER_CONTAINER, FIELDS_BROWSER_FILTER_INPUT } from './selectors';
 import {
   assertAtLeastOneEventMatchesSearch,
   executeKQL,
   hostExistsQuery,
   toggleTimelineVisibility,
 } from '../timeline/helpers';
-import { TIMELINE_DATA_PROVIDERS } from '../timeline/selectors';
+import { TIMELINE_DATA_PROVIDERS, TIMELINE_FIELDS_BUTTON } from '../timeline/selectors';
 
 /** Opens the timeline's Field Browser */
 export const openTimelineFieldsBrowser = () => {
diff --git a/x-pack/legacy/plugins/siem/cypress/integration/lib/timeline/selectors.ts b/x-pack/legacy/plugins/siem/cypress/integration/lib/timeline/selectors.ts
index 0ec0c506cbb1a..5515c1f7d58e2 100644
--- a/x-pack/legacy/plugins/siem/cypress/integration/lib/timeline/selectors.ts
+++ b/x-pack/legacy/plugins/siem/cypress/integration/lib/timeline/selectors.ts
@@ -7,6 +7,9 @@
 /** A data provider rendered in the timeline's data providers drop area */
 export const DATA_PROVIDER = '[data-test-subj="providerContainer"]';
 
+export const TIMELINE_FIELDS_BUTTON =
+  '[data-test-subj="timeline"] [data-test-subj="show-field-browser"]';
+
 /** Data providers are dropped and rendered in this area of the timeline */
 export const TIMELINE_DATA_PROVIDERS = '[data-test-subj="dataProviders"]';
 
diff --git a/x-pack/legacy/plugins/siem/cypress/integration/smoke_tests/fields_browser/fields_browser.spec.ts b/x-pack/legacy/plugins/siem/cypress/integration/smoke_tests/fields_browser/fields_browser.spec.ts
index d1289732b6d7d..2889d78891a06 100644
--- a/x-pack/legacy/plugins/siem/cypress/integration/smoke_tests/fields_browser/fields_browser.spec.ts
+++ b/x-pack/legacy/plugins/siem/cypress/integration/smoke_tests/fields_browser/fields_browser.spec.ts
@@ -4,27 +4,40 @@
  * you may not use this file except in compliance with the Elastic License.
  */
 
-import { drag, drop } from '../../lib/drag_n_drop/helpers';
-import {
-  clearFieldsBrowser,
-  clickOutsideFieldsBrowser,
-  openTimelineFieldsBrowser,
-  populateTimeline,
-  filterFieldsBrowser,
-} from '../../lib/fields_browser/helpers';
+import { HOSTS_PAGE } from '../../lib/urls';
+
+import { loginAndWaitForPage, DEFAULT_TIMEOUT } from '../../../tasks/login';
+
 import {
+  FIELDS_BROWSER_TITLE,
+  FIELDS_BROWSER_SELECTED_CATEGORY_TITLE,
+  FIELDS_BROWSER_SELECTED_CATEGORY_COUNT,
   FIELDS_BROWSER_CATEGORIES_COUNT,
-  FIELDS_BROWSER_CONTAINER,
-  FIELDS_BROWSER_FIELDS_COUNT,
-  FIELDS_BROWSER_FILTER_INPUT,
   FIELDS_BROWSER_HOST_CATEGORIES_COUNT,
-  FIELDS_BROWSER_SELECTED_CATEGORY_COUNT,
-  FIELDS_BROWSER_SELECTED_CATEGORY_TITLE,
   FIELDS_BROWSER_SYSTEM_CATEGORIES_COUNT,
-  FIELDS_BROWSER_TITLE,
-} from '../../lib/fields_browser/selectors';
-import { HOSTS_PAGE } from '../../lib/urls';
-import { loginAndWaitForPage, DEFAULT_TIMEOUT } from '../../lib/util/helpers';
+  FIELDS_BROWSER_FIELDS_COUNT,
+  FIELDS_BROWSER_MESSAGE_HEADER,
+  FIELDS_BROWSER_HOST_GEO_CITY_NAME_HEADER,
+  FIELDS_BROWSER_HOST_GEO_COUNTRY_NAME_HEADER,
+  FIELDS_BROWSER_HEADER_HOST_GEO_CONTINENT_NAME_HEADER,
+} from '../../../screens/timeline/fields_browser';
+
+import {
+  openTimeline,
+  populateTimeline,
+  openTimelineFieldsBrowser,
+} from '../../../tasks/timeline/main';
+
+import {
+  clearFieldsBrowser,
+  filterFieldsBrowser,
+  closeFieldsBrowser,
+  removesMessageField,
+  addsHostGeoCityNameToTimeline,
+  addsHostGeoCountryNameToTimelineDraggingIt,
+  addsHostGeoContinentNameToTimeline,
+  resetFields,
+} from '../../../tasks/timeline/fields_browser';
 
 const defaultHeaders = [
   { id: '@timestamp' },
@@ -41,6 +54,7 @@ describe('Fields Browser', () => {
   context('Fields Browser rendering', () => {
     before(() => {
       loginAndWaitForPage(HOSTS_PAGE);
+      openTimeline();
       populateTimeline();
       openTimelineFieldsBrowser();
     });
@@ -78,7 +92,7 @@ describe('Fields Browser', () => {
 
       filterFieldsBrowser(filterInput);
 
-      cy.get(FIELDS_BROWSER_CATEGORIES_COUNT)
+      cy.get(FIELDS_BROWSER_CATEGORIES_COUNT, { timeout: DEFAULT_TIMEOUT })
         .invoke('text')
         .should('eq', '2 categories');
     });
@@ -88,18 +102,13 @@ describe('Fields Browser', () => {
 
       filterFieldsBrowser(filterInput);
 
-      cy.get(FIELDS_BROWSER_FILTER_INPUT, { timeout: DEFAULT_TIMEOUT }).should(
-        'not.have.class',
-        'euiFieldSearch-isLoading'
-      );
-
       cy.get(FIELDS_BROWSER_HOST_CATEGORIES_COUNT)
         .invoke('text')
         .then(hostCategoriesCount => {
           cy.get(FIELDS_BROWSER_SYSTEM_CATEGORIES_COUNT)
             .invoke('text')
             .then(systemCategoriesCount => {
-              cy.get(FIELDS_BROWSER_FIELDS_COUNT)
+              cy.get(FIELDS_BROWSER_FIELDS_COUNT, { timeout: DEFAULT_TIMEOUT })
                 .invoke('text')
                 .should('eq', `${+hostCategoriesCount + +systemCategoriesCount} fields`);
             });
@@ -120,6 +129,7 @@ describe('Fields Browser', () => {
   context('Editing the timeline', () => {
     before(() => {
       loginAndWaitForPage(HOSTS_PAGE);
+      openTimeline();
       populateTimeline();
       openTimelineFieldsBrowser();
     });
@@ -130,31 +140,17 @@ describe('Fields Browser', () => {
     });
 
     it('removes the message field from the timeline when the user un-checks the field', () => {
-      const toggleField = 'message';
-
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`).should(
-        'exist'
-      );
+      cy.get(FIELDS_BROWSER_MESSAGE_HEADER).should('exist');
 
-      cy.get(
-        `[data-test-subj="timeline"] [data-test-subj="field-${toggleField}-checkbox"]`
-      ).uncheck({
-        force: true,
-      });
+      removesMessageField();
+      closeFieldsBrowser();
 
-      clickOutsideFieldsBrowser();
-
-      cy.get(FIELDS_BROWSER_CONTAINER).should('not.exist');
-
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`).should(
-        'not.exist'
-      );
+      cy.get(FIELDS_BROWSER_MESSAGE_HEADER).should('not.exist');
     });
 
     it('selects a search results label with the expected count of categories matching the filter input', () => {
       const category = 'host';
-
-      filterFieldsBrowser(`${category}.`);
+      filterFieldsBrowser(category);
 
       cy.get(FIELDS_BROWSER_SELECTED_CATEGORY_TITLE)
         .invoke('text')
@@ -163,75 +159,47 @@ describe('Fields Browser', () => {
 
     it('adds a field to the timeline when the user clicks the checkbox', () => {
       const filterInput = 'host.geo.c';
-      const toggleField = 'host.geo.city_name';
 
       filterFieldsBrowser(filterInput);
+      cy.get(FIELDS_BROWSER_HOST_GEO_CITY_NAME_HEADER).should('not.exist');
+      addsHostGeoCityNameToTimeline();
+      closeFieldsBrowser();
 
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`).should(
-        'not.exist'
-      );
-
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="field-${toggleField}-checkbox"]`).check({
-        force: true,
-      });
-
-      clickOutsideFieldsBrowser();
-
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`, {
+      cy.get(FIELDS_BROWSER_HOST_GEO_CITY_NAME_HEADER, {
         timeout: DEFAULT_TIMEOUT,
       }).should('exist');
     });
 
     it('adds a field to the timeline when the user drags and drops a field', () => {
       const filterInput = 'host.geo.c';
-      const toggleField = 'host.geo.country_name';
 
       filterFieldsBrowser(filterInput);
 
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`).should(
-        'not.exist'
-      );
-
-      cy.get(
-        `[data-test-subj="timeline"] [data-test-subj="field-name-${toggleField}"]`
-      ).then(field => drag(field));
+      cy.get(FIELDS_BROWSER_HOST_GEO_COUNTRY_NAME_HEADER).should('not.exist');
 
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="headers-group"]`).then(headersDropArea =>
-        drop(headersDropArea)
-      );
+      addsHostGeoCountryNameToTimelineDraggingIt();
 
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`, {
+      cy.get(FIELDS_BROWSER_HOST_GEO_COUNTRY_NAME_HEADER, {
         timeout: DEFAULT_TIMEOUT,
       }).should('exist');
     });
 
     it('resets all fields in the timeline when `Reset Fields` is clicked', () => {
       const filterInput = 'host.geo.c';
-      const toggleField = 'host.geo.continent_name';
 
       filterFieldsBrowser(filterInput);
 
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`).should(
-        'not.exist'
-      );
-
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="field-${toggleField}-checkbox"]`).check({
-        force: true,
-      });
+      cy.get(FIELDS_BROWSER_HEADER_HOST_GEO_CONTINENT_NAME_HEADER).should('not.exist');
 
-      clickOutsideFieldsBrowser();
+      addsHostGeoContinentNameToTimeline();
+      closeFieldsBrowser();
 
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`).should(
-        'exist'
-      );
+      cy.get(FIELDS_BROWSER_HEADER_HOST_GEO_CONTINENT_NAME_HEADER).should('exist');
 
       openTimelineFieldsBrowser();
+      resetFields();
 
-      cy.get('[data-test-subj="timeline"] [data-test-subj="reset-fields"]').click({ force: true });
-
-      cy.get(`[data-test-subj="timeline"] [data-test-subj="header-text-${toggleField}"]`).should(
-        'not.exist'
-      );
+      cy.get(FIELDS_BROWSER_HEADER_HOST_GEO_CONTINENT_NAME_HEADER).should('not.exist');
     });
   });
 });
diff --git a/x-pack/legacy/plugins/siem/cypress/screens/hosts/fields_browser.ts b/x-pack/legacy/plugins/siem/cypress/screens/hosts/fields_browser.ts
index f4da73ba5e5f9..252fa7d44a7c7 100644
--- a/x-pack/legacy/plugins/siem/cypress/screens/hosts/fields_browser.ts
+++ b/x-pack/legacy/plugins/siem/cypress/screens/hosts/fields_browser.ts
@@ -5,8 +5,6 @@
  */
 
 /** Clicking this button in the timeline opens the Fields browser */
-export const TIMELINE_FIELDS_BUTTON =
-  '[data-test-subj="timeline"] [data-test-subj="show-field-browser"]';
 
 /** The title displayed in the fields browser (i.e. Customize Columns) */
 export const FIELDS_BROWSER_TITLE = '[data-test-subj="field-browser-title"]';
diff --git a/x-pack/legacy/plugins/siem/cypress/screens/timeline/fields_browser.ts b/x-pack/legacy/plugins/siem/cypress/screens/timeline/fields_browser.ts
new file mode 100644
index 0000000000000..aa63aaf89f98b
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/cypress/screens/timeline/fields_browser.ts
@@ -0,0 +1,60 @@
+/*
+ * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
+ * or more contributor license agreements. Licensed under the Elastic License;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+
+export const FIELDS_BROWSER_TITLE = '[data-test-subj="field-browser-title"]';
+
+/** Typing in this input filters the Field Browser */
+export const FIELDS_BROWSER_FILTER_INPUT = '[data-test-subj="field-search"]';
+
+/** The title of the selected category in the right-hand side of the fields browser */
+export const FIELDS_BROWSER_SELECTED_CATEGORY_TITLE = '[data-test-subj="selected-category-title"]';
+
+export const FIELDS_BROWSER_SELECTED_CATEGORY_COUNT =
+  '[data-test-subj="selected-category-count-badge"]';
+
+export const FIELDS_BROWSER_CATEGORIES_COUNT = '[data-test-subj="categories-count"]';
+
+export const FIELDS_BROWSER_HOST_CATEGORIES_COUNT = '[data-test-subj="host-category-count"]';
+
+export const FIELDS_BROWSER_SYSTEM_CATEGORIES_COUNT = '[data-test-subj="system-category-count"]';
+
+export const FIELDS_BROWSER_FIELDS_COUNT = '[data-test-subj="fields-count"]';
+
+/** Contains the body of the fields browser */
+export const FIELDS_BROWSER_CONTAINER = '[data-test-subj="fields-browser-container"]';
+
+export const FIELDS_BROWSER_MESSAGE_HEADER =
+  '[data-test-subj="timeline"] [data-test-subj="header-text-message"]';
+
+export const FIELDS_BROWSER_MESSAGE_CHECKBOX =
+  '[data-test-subj="timeline"] [data-test-subj="field-message-checkbox"]';
+
+export const FIELDS_BROWSER_HOST_GEO_COUNTRY_NAME_HEADER =
+  '[data-test-subj="header-text-host.geo.country_name"]';
+
+export const FIELDS_BROWSER_HOST_GEO_COUNTRY_NAME_CHECKBOX =
+  '[data-test-subj="field-host.geo.country_name-checkbox"]';
+
+export const FIELDS_BROWSER_DRAGGABLE_HOST_GEO_COUNTRY_NAME_HEADER =
+  '[data-test-subj="timeline"] [data-test-subj="field-name-host.geo.country_name"]';
+
+export const FIELDS_BROWSER_HOST_GEO_CITY_NAME_HEADER =
+  '[data-test-subj="header-text-host.geo.city_name"]';
+
+export const FIELDS_BROWSER_HOST_GEO_CITY_NAME_CHECKBOX =
+  '[data-test-subj="field-host.geo.city_name-checkbox"]';
+
+export const FIELDS_BROWSER_HEADER_DROP_AREA =
+  '[data-test-subj="timeline"] [data-test-subj="headers-group"]';
+
+export const FIELDS_BROWSER_HEADER_HOST_GEO_CONTINENT_NAME_HEADER =
+  '[data-test-subj="header-text-host.geo.continent_name"]';
+
+export const FIELDS_BROWSER_HOST_GEO_CONTINENT_NAME_CHECKBOX =
+  '[data-test-subj="field-host.geo.continent_name-checkbox"]';
+
+export const FIELDS_BROWSER_RESET_FIELDS =
+  '[data-test-subj="timeline"] [data-test-subj="reset-fields"]';
diff --git a/x-pack/legacy/plugins/siem/cypress/screens/timeline/main.ts b/x-pack/legacy/plugins/siem/cypress/screens/timeline/main.ts
new file mode 100644
index 0000000000000..cf3267d2b650e
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/cypress/screens/timeline/main.ts
@@ -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;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+
+/** The `Timeline ^` button that toggles visibility of the Timeline */
+export const TIMELINE_TOGGLE_BUTTON = '[data-test-subj="flyoutOverlay"]';
+
+/** Contains the KQL bar for searching or filtering in the timeline */
+export const SEARCH_OR_FILTER_CONTAINER =
+  '[data-test-subj="timeline-search-or-filter-search-container"]';
+
+export const TIMELINE_FIELDS_BUTTON =
+  '[data-test-subj="timeline"] [data-test-subj="show-field-browser"]';
+
+/** The total server-side count of the events matching the timeline's search criteria */
+export const SERVER_SIDE_EVENT_COUNT = '[data-test-subj="server-side-event-count"]';
diff --git a/x-pack/legacy/plugins/siem/cypress/tasks/timeline/fields_browser.ts b/x-pack/legacy/plugins/siem/cypress/tasks/timeline/fields_browser.ts
new file mode 100644
index 0000000000000..c78eb8f73f650
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/cypress/tasks/timeline/fields_browser.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;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+import { drag, drop } from '../../integration/lib/drag_n_drop/helpers';
+
+import {
+  FIELDS_BROWSER_FILTER_INPUT,
+  FIELDS_BROWSER_MESSAGE_CHECKBOX,
+  FIELDS_BROWSER_HOST_GEO_CITY_NAME_CHECKBOX,
+  FIELDS_BROWSER_DRAGGABLE_HOST_GEO_COUNTRY_NAME_HEADER,
+  FIELDS_BROWSER_HEADER_DROP_AREA,
+  FIELDS_BROWSER_HOST_GEO_CONTINENT_NAME_CHECKBOX,
+  FIELDS_BROWSER_RESET_FIELDS,
+} from '../../screens/timeline/fields_browser';
+import { DEFAULT_TIMEOUT } from '../../integration/lib/util/helpers';
+import { KQL_SEARCH_BAR } from '../../screens/hosts/main';
+
+export const clearFieldsBrowser = () => {
+  cy.get(FIELDS_BROWSER_FILTER_INPUT).type('{selectall}{backspace}');
+};
+
+export const filterFieldsBrowser = (fieldName: string) => {
+  cy.get(FIELDS_BROWSER_FILTER_INPUT)
+    .type(fieldName)
+    .should('not.have.class', 'euiFieldSearch-isLoading');
+};
+
+export const closeFieldsBrowser = () => {
+  cy.get(KQL_SEARCH_BAR, { timeout: DEFAULT_TIMEOUT }).click({ force: true });
+};
+
+export const removesMessageField = () => {
+  cy.get(FIELDS_BROWSER_MESSAGE_CHECKBOX).uncheck({
+    force: true,
+  });
+};
+
+export const addsHostGeoCityNameToTimeline = () => {
+  cy.get(FIELDS_BROWSER_HOST_GEO_CITY_NAME_CHECKBOX).check({
+    force: true,
+  });
+};
+
+export const addsHostGeoCountryNameToTimelineDraggingIt = () => {
+  cy.get(FIELDS_BROWSER_DRAGGABLE_HOST_GEO_COUNTRY_NAME_HEADER).should('exist');
+  cy.get(FIELDS_BROWSER_DRAGGABLE_HOST_GEO_COUNTRY_NAME_HEADER).then(field => drag(field));
+
+  cy.get(FIELDS_BROWSER_HEADER_DROP_AREA).then(headersDropArea => drop(headersDropArea));
+};
+
+export const addsHostGeoContinentNameToTimeline = () => {
+  cy.get(FIELDS_BROWSER_HOST_GEO_CONTINENT_NAME_CHECKBOX).check({
+    force: true,
+  });
+};
+
+export const resetFields = () => {
+  cy.get(FIELDS_BROWSER_RESET_FIELDS).click({ force: true });
+};
diff --git a/x-pack/legacy/plugins/siem/cypress/tasks/timeline/main.ts b/x-pack/legacy/plugins/siem/cypress/tasks/timeline/main.ts
new file mode 100644
index 0000000000000..51026fef757d8
--- /dev/null
+++ b/x-pack/legacy/plugins/siem/cypress/tasks/timeline/main.ts
@@ -0,0 +1,31 @@
+/*
+ * Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
+ * or more contributor license agreements. Licensed under the Elastic License;
+ * you may not use this file except in compliance with the Elastic License.
+ */
+
+import { DEFAULT_TIMEOUT } from '../../integration/lib/util/helpers';
+
+import {
+  TIMELINE_TOGGLE_BUTTON,
+  SEARCH_OR_FILTER_CONTAINER,
+  TIMELINE_FIELDS_BUTTON,
+  SERVER_SIDE_EVENT_COUNT,
+} from '../../screens/timeline/main';
+
+export const hostExistsQuery = 'host.name: *';
+
+export const openTimeline = () => {
+  cy.get(TIMELINE_TOGGLE_BUTTON, { timeout: DEFAULT_TIMEOUT }).click();
+};
+
+export const populateTimeline = () => {
+  cy.get(`${SEARCH_OR_FILTER_CONTAINER} input`).type(`${hostExistsQuery} {enter}`);
+  cy.get(SERVER_SIDE_EVENT_COUNT, { timeout: DEFAULT_TIMEOUT })
+    .invoke('text')
+    .should('be.above', 0);
+};
+
+export const openTimelineFieldsBrowser = () => {
+  cy.get(TIMELINE_FIELDS_BUTTON).click({ force: true });
+};